1

所以我为我的 Questions 模型创建了一个 Category 模型。我还为多态关系创建了一个标签模型,这样一个问题可以有很多类别,一个类别可以有很多问题。

我在完成创建问题并选择类别时遇到问题,与问题关联的类别也被保存。提交表单和创建标签之间似乎缺少联系。

这是我的模型:

问题.rb

class Question < ActiveRecord::Base

has_many :tags, :as => :taggable, :dependent => :destroy
has_many :categories, :through => :tags

end

标签.rb

class Tag < ActiveRecord::Base

  belongs_to :taggable, :polymorphic => true
  belongs_to :category

end

类别.rb

class Category < ActiveRecord::Base

has_many :tags, :dependent => :destroy
has_many :questions, :through => :tags, :source => :taggable, :source_type => 'Question'

end

问题形式:

<%= f.input :question, input_html: { class: 'form-control' }%>
</div>

<div class="form-group">
<%= f.input :category_ids, collection: Category.all, :input_html => {multiple: true, class: 'form-control' } %>
</div>

<%= f.fields_for :choices do |b| %>
<div class="form-group">
<%= b.input :choice, input_html: { class: 'form-control' } %>

 </div>

<% end %>

<%= f.button :submit, :class => "btn btn-primary"%>

问题控制器创建动作

def create @question = current_user.questions.new(question_params)

respond_to do |format|
  if @question.save
    format.html { redirect_to @question, notice: 'Question was successfully created.' }
    format.json { render action: 'show', status: :created, location: @question }
  else
    format.html { render action: 'new' }
    format.json { render json: @question.errors, status: :unprocessable_entity }
  end
end   end

提交表单时,类别 ID 是这样提交的: "category_ids"=>["", "2", "3"]

我觉得缺少的链接是创建这样的方法

def create_tag (category_id, question_id)
    t = Tag.new
    t.taggable = Question.find(question_id)
    t.category = Category.find(category_id)
    t.save

end

但我不确定在哪里最好放置它或如何在创建操作中连接它并成功创建正确的关联。

此外,此方法只会创建 1 个类别,因此我需要遍历类别 ID 以创建多个。

谢谢

4

1 回答 1

0

你可以试试这个代码吗?

def create
  @question = current_user.questions.new(question_params)
  if @question.save
    params[:question][:category_ids].select{ |x| x.present? }.each do |category_id|
      tag = Tag.new(taggable: @question, category_id: category_id)
      if tag.save
      else
        something_went_wrong = tag
      end
    end
  else
    something_went_wrong = @question
  end
  respond_to do |format|
    if something_went_wrong.blank?
      format.html { redirect_to @question, notice: 'Question was successfully created.' }
      format.json { render action: 'show', status: :created, location: @question }
    else
      format.html { render action: 'new' }
      format.json { render json: something_went_wrong.errors, status: :unprocessable_entity }
    end
  end
end

这段代码的内容是:

  • 创建的每个标签只是问题和类别之间的链接,标签没有实际名称。
  • 即使一个标签未通过验证(如唯一性约束),也会创建其他有效标签,但仍会显示错误。您可能想在创建它们之前检查所有标签是否有效。
于 2013-10-01T14:02:28.150 回答