3

我正在使用 simple_form,我只想使用分类表在类别和文章之间创建关联。

但我有这个错误:无法批量分配受保护的属性:category_ids。app/controllers/articles_controller.rb:36:in `update'

文章控制器.rb

def update
    @article = Article.find(params[:id])
      if @article.update_attributes(params[:article]) ---line with the problem
        flash[:success] = "Статья обновлена"
        redirect_to @article
      else
        render :edit
      end
end

文章.rb

has_many :categorizations
has_many :categories, through: :categorizations

类别.rb

has_many :categorizations
has_many :articles, through: :categorizations

分类.rb

belongs_to :article
belongs_to :category

分类有 article_id 和 category_id 字段。

我的 _form.html.erb

<%= simple_form_for @article, html: { class: "form-horizontal", multipart: true } do |f| %>
  <%= f.error_notification %> 
  <%= f.input :title %>
  <%= f.association :categories %>
  <%= f.input :teaser %>
  <%= f.input :body %>
  <%= f.input :published %>
 <% if @article.published? %>
   <%= f.button :submit, value: "Внести изменения" %>
 <% else %>
   <%= f.button :submit, value: "Опубликовать" %>
  <% end %>
<% end %>
4

2 回答 2

5

您在 article.rb 中有 attr_accessible 吗?

如果是这样添加

     attr_accessible :title, :category_ids

还要确保你真的想要所有形式的这个......如果不添加这个:

  attr_accessible :title, :category_ids, :as => :admin

然后

@article = Article.new
@article.assign_attributes({ :category_ids => [1,2], :title => 'hello' })
@article.category_ids # => []
@article.title # => 'hello'

@article.assign_attributes({ :category_ids => [1,2], :title => 'hello' }, :as => :admin)
@article.category_ids # => [1,2]
@article.title # => 'hello'
@article.save

或者

@article = Article.new({ :category_ids => [1,2], :title => 'hello' })
@article.category_ids # => []
@article.title # => 'hello'

@article = Article.new({ :category_ids => [1,2], :title => 'hello' }, :as => :admin)
@article.category_ids # => [1,2]
@article.title # => 'hello'
@article.save
于 2012-07-15T16:58:38.143 回答
3

创建的表单域

<%= f.association :categories %>

将要设置属性category_id,但属性是受保护的。在您的模型中,您应该有一行代码如下所示:

attr_accessible :title, :teaser, :body, :published

这些属性允许批量分配。如果要设置表单,category_id则必须将这些属性添加到attr_accessible方法中:

attr_accessible :title, :teaser, :body, :published, :category_id

这应该可以解决您的问题。

于 2012-07-15T16:57:41.600 回答