Rails 为具有多对多关系的模型创建表单

Maj*_*ren 5 many-to-many join model ruby-on-rails

我有两个模型,RecipeTag,有has_and_belongs_to_many关系。对于这种关系,我有一个简单的连接表,RecipesTags

食谱:

has_and_belongs_to_many :tags
Run Code Online (Sandbox Code Playgroud)

标签:

has_and_belongs_to_many :recipes
Run Code Online (Sandbox Code Playgroud)

现在,在创建新食谱时,用户可以以复选框的形式填写该食谱所属的类别,例如“肉”、“鱼”等。这些类别实际上只是数据库中的标签。

问题:食谱没有保存任何标签。

配方newcreate控制器方法:

    def new
    @recipe = Recipe.new
    @ingredients = Ingredient.all
    @tags = Tag.all

    respond_to do |format|
      format.html # new.html.erb
      format.json { render json: @recipe }
    end
  end



  # POST /recipes
  # POST /recipes.json
  def create
    @recipe = Recipe.new(params[:recipe])
    if (params[:tags])
      @recipe.tags << params[:tags]
    end

    respond_to do |format|
      if @recipe.save
        format.html { redirect_to @recipe, notice: 'Recipe was successfully created.' }
        format.json { render json: @recipe, status: :created, location: @recipe }
      else
        format.html { render action: "new" }
        format.json { render json: @recipe.errors, status: :unprocessable_entity }
      end
    end
  end
Run Code Online (Sandbox Code Playgroud)

风景:

<%= form_for(@recipe, :html => {:multipart => true}) do |f| %>
  <% if @recipe.errors.any? %>
    <div id="error_explanation">
      <h2><%= pluralize(@recipe.errors.count, "error") %> prohibited this recipe from being saved:</h2>

# [ fields that get's saved for the recipe and works fine ]

<% @tags.each do |t| %>
      <%= f.label t.name  %>
      <%= f.check_box :tags, t.name  %>
      <br />
    <% end %>

<%= f.submit 'Submit recipe', :class => 'btn btn-primary' %>

<% end %>
Run Code Online (Sandbox Code Playgroud)

目前,我收到一条错误消息:“Meat”的未定义方法“merge”:String

“肉”是标签名称。

那么,我在这里做错了什么?

小智 3

我认为问题在于这一行@recipe.tags << params[:tags]。\n您调用的关联方法<<一个对象(在本例中需要一个标记对象),但在这种情况下,您似乎可能向它传递一个字符串。

\n\n

有关更多信息,此链接可能会有所帮助http://guides.rubyonrails.org/association_basics.html#has_and_belongs_to_many-association-reference,特别是在它引用的地方collection<<(object, \xe2\x80\xa6)

\n\n
\n\n

在你的控制器中你会想要做类似的事情@recipe.tags << tag其中 tag 是特定标记对象的操作。

\n\n

所以,试试这个:

\n\n

在你的控制器中

\n\n
params[:tags].each do |k,v|\n   @recipe.tags << Tag.find(k)\nend\n
Run Code Online (Sandbox Code Playgroud)\n\n

在你看来

\n\n
<% @tags.each do |t| %>\n  <%= f.label t.name  %>\n  <%= f.check_box "tags[#{t.id}]"  %>\n  <br />\n<% end %>\n
Run Code Online (Sandbox Code Playgroud)\n