3

我有 2 个具有多对多关联的模型,如下所示:

class User < ActiveRecord::Base
    has_many :remark_users, :dependent => :destroy
    has_many :designated_remarks, :through => :remark_users, :source => :remark
end

class Remark < ActiveRecord::Base
     has_many :remark_users, :dependent => :destroy
    has_many :users, :through => :remark_users

    accepts_nested_attributes_for :users
end

以及关系:

class RemarkUser < ActiveRecord::Base
    belongs_to :remark
    belongs_to :user
end

应该进行保存的备注控制器操作:

# PATCH Save users
def save_users
    @remark = Remark.find(params[:id])
    @remark.users.build(params[:remark_user_ids])
    @remark.save
end

和形式:

<%= form_for @remark, :url => salveaza_responsabili_remark_path(@remark) do |f| %>
    <% @users.each do |user| %>
        <%= check_box_tag 'remark[remark_user_ids][]', user.id, @remark.users.include?(user) %>
        <%= user.name %>
    <% end %>
    <%= hidden_field_tag 'remark[remark_user_ids][]', '' %>
<% end %>

备注_控制器:

params.require(:remark).permit(:description, :suggestion, :origin_details,  process_type_id, :origin_id, :remark_user_ids)

用户和备注都已经存在,我需要一个仅用于创建关联的表单,最好使用复选框。

在 Console 中,关联被保存。但我花了最后一天试图让它在浏览器中工作。我已经阅读了关于这件事的所有内容,我现在很困惑。

有人可以指出实际表单的外观,以及是否需要在控制器中添加其他任何内容?

4

1 回答 1

2

您的表格没有问题,但可以简化为以下内容

<%= form_for @remark, :url => salveaza_responsabili_remark_path(@remark) do |f| %>
  <% @users.each do |user| %>
    <%= check_box_tag 'user_ids[]', user.id, @remark.users.include?(user) %>
    <%= user.name %>
  <% end %>
<% end %>

然后在你的控制器中,你可以期待一个数组params[:user_ids]

def save_users
  @remark = Remark.find(params[:id])

  # This is where you need to think about things.  If the checkbox in the form
  # contains all the users for a remark, the following code should work.
  #
  # @remark.user_ids = params[:user_ids]
  # @remark.save
  # 
  # otherwise, you have to loop through each user_id
  params[:user_ids].each do |user_id|
    @remark.remark_users.create!(user_id: user_id)
  end
end
于 2013-11-12T08:43:05.877 回答