0

问题是我收到此错误:

ActiveModel::MassAssignmentSecurity::Error: Can't mass-assign protected attributes: amenity_id

当我运行此代码时:

task import_amenities: :environment do

  agent = Mechanize.new

  Kindergarten.find_all_by_public(false).each do |k| 
    p = agent.get(k.uri)
    amenities = p.search("td td tr:nth-child(11) td:nth-child(2)").text.split(/(;|,) */)
    amenities.each do |a|
      am = Amenity.find_or_create_by_name!("#{a}")
      k.update_attributes(amenity_id: am.id)
    end
  end
end

幼儿园和便利设施通过 HABTM 关系链接,定义如下:

幼儿园.rb

class Kindergarten < ActiveRecord::Base
  attr_accessible :location, :name, :public, :uri, :address, :contact, 
                  :phone, :url, :email, :description, 
                  :password, :password_confirmation, :amenity_ids
  has_and_belongs_to_many :amenities
end

舒适度.rb

class Amenity < ActiveRecord::Base
  attr_accessible :name, :kindergarten_ids
  has_and_belongs_to_many :kindergartens
end

这是连接表的迁移:

class CreateKindergartensAmenitiesJoinTable < ActiveRecord::Migration
  def up

    create_table :kindergartens_amenities, :id => false do |t|
      t.integer :kindergarten_id
      t.integer :amenity_id
    end
  end
end

该错误是由 rake 任务中的这一行引起的:

k.update_attributes(amenity_id: am.id)

在我完成大规模任务之前,控制台中的一切似乎都运行良好。而且我认为我真的在这里搞砸了,因为我在 HABTM 之前从未使用过。

有什么想法吗?

4

1 回答 1

1

由于这个错误,我昨晚无法入睡,但我终于找到了解决方案。

代码中有一些问题,当我开始在数据库中手动挖掘和添加数据时,我注意到的第一个问题是连接表的名称错误。解决这个问题:

class RenameKindergartensAmenitiesTable < ActiveRecord::Migration
  def up
    rename_table :kindergartens_amenities, :amenities_kindergartens
  end
end

显然,habtm 协会必须将内容按字母顺序放在标题中。来源

第二个问题是我假设

k.amenity_id = am.id

将为现有的每个便利设施添加一个 amenity_id/幼儿园 ID。事实上 k.amenity_id 没有任何意义(尤其是在许多 id 的情况下)。有效的解决方案是:

amenities.each do |a|
  am = Amenity.find_or_create_by_name!("#{a}")
  k.update_attributes(amenity_ids: k.amenity_ids.push(am.id))
end

我没有修改attr_accessible任何地方

于 2012-09-17T06:51:32.757 回答