1

我已经在两个表之间建立了一个 HABTM 关系,在项目和类别之间创建了多对多关系。我想通过添加项目表单添加与一个或多个类别相关的项目。当我提交表单时,我收到错误“无法批量分配受保护的属性:类别”。

这是我的模型:

class Item < ActiveRecord::Base
  attr_accessible :description, :image, :name

  has_attached_file :image, :styles => { :medium => "300x300>", :thumb => "100x100>" }

  belongs_to :user
  has_and_belongs_to_many :categories

  validates :name, presence: true, length: {maximum: 50}
  accepts_nested_attributes_for :categories
end

class Category < ActiveRecord::Base
  attr_accessible :description, :name
  has_and_belongs_to_many :items

  validates :name, presence: true, length: {maximum: 50}
end

还有我的迁移:

class CreateItems < ActiveRecord::Migration
  def change
    create_table :items do |t|
      t.string :name
      t.text :description
      t.has_attached_file :image

      t.timestamps
    end
  end
end

class CreateCategories < ActiveRecord::Migration
  def change
    create_table :categories do |t|
      t.string :name
      t.string :description

      t.timestamps
    end
  end
end

class CreateCategoriesItems < ActiveRecord::Migration
  def up
    create_table :categories_items, :id => false do |t|
      t.integer :category_id
      t.integer :item_id
    end
  end

  def down
    drop_table :categories_items
  end
end

我的表格如下所示:

<%= form_for(@item, :html => { :multipart => true }) do |f| %>
  <%= render 'shared/error_messages', object: f.object %>


  <%= f.label :name %>
  <%= f.text_field :name %>

  <%= f.label :description %>
  <%= f.text_field :description %>
  <%= f.file_field :image %>
  <%= f.collection_select(:categories, @categories,:id,:name)%>
  <%= f.submit "Add Item", :class => "btn btn-large btn-primary" %>
<% end %>

这是我的项目控制器:

class ItemsController < ApplicationController

  def new
    @item = Item.new
    @categories = Category.all
  end

  def create
    @item = Item.new(params[:item])
    if @item.save
      #sign_in @user
      flash[:success] = "You've created an item!"
      redirect_to root_path
    else
      render 'new'
    end
  end

  def show
  end

  def index
    @items = Item.paginate(page: params[:page], per_page: 3)
  end


end

感谢您所有的帮助 :)

-丽贝卡

4

2 回答 2

2

批量分配通常意味着将属性传递到创建对象的调用中,作为属性散列的一部分。

试试这个:

@item = Item.new(name: 'item1', description: 'description1')
@item.save
@category = Category.find_by_name('category1')
@item.categories << @category

另见:

http://guides.rubyonrails.org/association_basics.html#the-has_and_belongs_to_many-association http://api.rubyonrails.org/classes/ActiveModel/MassAssignmentSecurity/ClassMethods.html

我希望这有帮助。

于 2012-06-05T20:22:32.820 回答
1

IAmNaN 发布了上面的评论,这是我的代码中缺少的链接正常工作。此后,我写了一篇博文,详细介绍了设置 HABTM 的过程。感谢 IAmNaN!

于 2012-06-06T23:03:27.307 回答