是否有' Rails方式'更新单个表单上的三列连接表?我有三个模型,User
,Location
,Role
和三列联接表UserLocationRole
:
class User < ActiveRecord::Base
belongs_to :company
has_many :user_location_roles
has_many :locations, through: :user_location_roles
has_many :roles, through: :user_location_roles
end
class Location < ActiveRecord::Base
# has_many through etc
end
class Role < ActiveRecord::Base
# has_many through etc
end
class UserLocationRole < ActiveRecord::Base
belongs_to :user
belongs_to :location
belongs_to :role
end
我想要的是在“新建/编辑用户”表单上查看复选框列表:
1. Location: ABC
[] Role 1
[] Role 2
[] Role 3
2. Location: DEF
[] Role 1
[] Role 2
[] Role 3
我的用例中的位置和角色数量很少(通常是3个角色的2个或3个位置),因此这种形式永远不会太大/太笨拙。我特别希望在每个位置列出所有角色,即我不希望角色直接连接到某个位置(角色表中没有location_id列)。
我已经创建了一种感觉非常“非Railsy”的解决方案,并且想知道是否有更简洁的方法可以使用,例如accepts_nested_attributes_for
等。
我的解决方案: 用户控制器:
def edit
@user = User.find(params[:id])
@permissions = @user.user_location_roles # used to make sure appropriate checkboxes are ticked on the form.
end
def create
@user = User.new(user_params)
@user.set_permissions(params[:user_permissions])
@user.save #etc
end
def update
@user = User.find(params[:id])
@user.set_permissions(params[:user_permissions])
@user.update #etc
end
我的表单遍历所有可能的位置,然后为每个可能的角色打印一个复选框。它会检查连接表中是否存在该特定记录,并设置&#39;已选中&#39;如果是,则标记为true。
<% @user.company.locations.all.each do |location| %>
<p><%= location.name %></p>
<% @user.company.roles.all.each do |role| %>
<% checked = (@permissions) ? (@permissions.select { |p| p.location == location and p.role == role }.any?) : false %>
<label><%= check_box_tag "user_permissions[#{location.id}][#{role.id}]", "1", checked %><%= role.name %></label><br>
<% end %>
<% end %>
我的用户模型然后从表单中获取后续哈希,删除该用户的连接表中的所有条目(非常难看),然后根据需要创建新的。
def set_permissions(permissions_hash)
self.user_location_roles.destroy_all
permissions_hash.each do |location_id, roles_hash|
roles_hash.each do |role_id, bool|
self.user_location_roles.build(location_id: location_id, role_id: role_id)
end
end
end
请帮我把我的代码重构成更干净的东西。至少,如果在没有更改权限的情况下提交用户表单,我不需要删除所有权限并重新创建它们。理想情况下,还有一种更清晰的方式来生成表单输出。感谢。