我提供了一种替代方法,因为在 Rails 中搜索基于角色的路由时,这个 SO 问题出现在顶部附近。
我最近需要实现类似的东西,但想避免在控制器中使用大量条件 - 由于我的每个用户角色都需要加载和呈现完全不同的数据,这使情况更加复杂。我选择使用Routing Constraint将决定逻辑移动到路由层。
# app/constraints/role_route_constraint.rb
class RoleRouteConstraint
def initialize(&block)
@block = block || lambda { |user| true }
end
def matches?(request)
user = current_user(request)
user.present? && @block.call(user)
end
def current_user(request)
User.find_by_id(request.session[:user_id])
end
end
上面代码中最重要的部分是matches?
确定路由是否匹配的方法。该方法传递一个对象,该request
对象包含有关正在发出的请求的各种信息。就我而言,我正在查找:user_id
存储在会话 cookie 中的内容,并使用它来查找发出请求的用户。
然后,您可以在定义路线时使用此约束。
# config/routes.rb
Rails.application.routes.draw do
get 'home', to: 'administrators#home', constraints: RoleRouteConstraint.new { |user| user.admin? }
get 'home', to: 'instructors#home', constraints: RoleRouteConstraint.new { |user| user.instructor? }
get 'home', to: 'students#home', constraints: RoleRouteConstraint.new { |user| user.student? }
end
有了上述内容,发出请求的管理员/home
将被路由到 的home操作,AdministratorsController
发出请求的讲师/home
将被路由到 的home操作,InstructorsController
发出请求的学生/home
将被路由到home的动作StudentsController
。
更多信息
如果您正在寻找更多信息,我最近在我的博客上写了关于这种方法的文章。