我遇到的情况很像Railscast 196-197: Nested Model Form中介绍的情况。但是,我遇到了这种方法和强参数之间的冲突。我想不出一种在子对象上填充父记录 id 字段的好方法,因为我不希望它可以通过表单分配(以防止用户将子记录关联到他们不拥有的父记录)。我有一个解决方案(参见下面的代码),但这似乎是 Rails 可能为我提供的一种聪明、简单的方法。
这是代码...
有一个父对象(称为调查)有多个子对象(称为问题):
# app/models/survey.rb
class Survey
belongs_to :user
has_many :questions
accepts_nested_attributes_for :questions
end
# app/models/question.rb
class Question
validates :survey_id, :presence => true
belongs_to :survey
end
有一个表单允许用户同时创建调查和该调查中的问题(为简单起见,下面的代码将调查视为只有问题):
# app/views/surveys/edit.html.erb
<%= form_for @survey do |f| %>
<%= f.label :name %>
<%= f.text_field :name %><br />
<%= f.fields_for :questions do |builder| %>
<%= builder.label :content, "Question" %>
<%= builder.text_area :content, :rows => 3 %><br />
<% end %>
<%= f.submit "Submit" %>
<% end %>
问题是控制器。我想通过强参数保护问题记录上的survey_id 字段,但这样做问题不会通过验证,因为survey_id 是必填字段。
# app/controllers/surveys_controller.rb
class SurveysController
def edit
@survey = Survey.new
Survey.questions.build
end
def create
@survey = current_user.surveys.build(survey_params)
if @survey.save
redirect_to @survey
else
render :new
end
end
private
def survey_params
params.require(:survey).permit(:name, :questions_attributes => [:content])
end
end
我能想到解决这个问题的唯一方法是将问题与调查分开构建,如下所示:
def create
@survey = current_user.surveys.build(survey_params)
if @survey.save
if params[:survey][:questions_attributes]
params[:survey][:questions_attributes].each_value do |q|
question_params = ActionController::Parameters.new(q)
@survey.questions.build(question_params.permit(:content))
end
end
redirect_to @survey
else
render :new
end
end
private
def survey_params
params.require(:survey).permit(:name)
end
(Rails 4 beta 1,Ruby 2)
更新
处理此问题的最佳方法可能是分解出一个“表单对象”,如本 Code Climate 博客文章中所建议的那样。不过,由于我对其他观点感到好奇,因此我将问题悬而未决