编辑时,RoR嵌套属性会生成重复项

我正在尝试关注Ryan Bates Rails第#196:嵌套模型表单部分1 。 Ryans的版本有两个明显的区别:1)我使用的是内置的脚手架,而且他使用的并不漂亮,2)我在运行rails 4(我不太清楚Ryans使用的是什么版本,但不是4)。

所以这就是我所做的

rails new survey2 cd survey2 bundle install rails generate scaffold survey name:string rake db:migrate rails generate model question survey_id:integer content:text rake db:migrate 

然后,我将这些关联添加到模型中

 class Question < ActiveRecord::Base belongs_to :survey end 

所以

 class Survey < ActiveRecord::Base has_many :questions accepts_nested_attributes_for :questions end 

然后我添加了嵌套的视图部分

 <%= form_for(@survey) do |f| %> <!-- Standard rails 4 view stuff --> <div class="field"> <%= f.label :name %><br> <%= f.text_field :name %> </div> <div class="field"> <%= f.fields_for :questions do |builder| %> <div> <%= builder.label :content, "Question" %><br/> <%= builder.text_area :content, :rows => 3 %> </div> <% end %> </div> <div class="actions"> <%= f.submit %> </div> <% end %> 

最后是控制器,以便每当新调查实例化时就创build3个问题

 class SurveysController < ApplicationController before_action :set_survey, only: [:show, :edit, :update, :destroy] # Standard rails 4 index and show # GET /surveys/new def new @survey = Survey.new 3.times { @survey.questions.build } Rails.logger.debug("New method executed") end # GET /surveys/1/edit def edit end # Standard rails 4 create # PATCH/PUT /surveys/1 # PATCH/PUT /surveys/1.json def update respond_to do |format| if @survey.update(survey_params) format.html { redirect_to @survey, notice: 'Survey was successfully updated.' } format.json { head :no_content } else format.html { render action: 'edit' } format.json { render json: @survey.errors, status: :unprocessable_entity } end end end # Standard rails 4 destroy private # Use callbacks to share common setup or constraints between actions. def set_survey @survey = Survey.find(params[:id]) end # Never trust parameters from the scary internet, only allow the white list through. def survey_params params.require(:survey).permit(:name, questions_attributes: [:content]) end end 

所以,用三个问题创build一个新的调查是好的。 但是,如果我试图编辑其中一个调查问卷,原来的三个问题就会被保留下来,而另外三个问题也会被创build。 所以,我没有为编辑的调查提出3个问题,而是现在有6个

 Rails.logger.debug("New method executed") 

到控制器中的新方法,据我所知,编辑操作时不执行。 谁能告诉我我做错了什么?

任何帮助是极大的赞赏!

所以我明白了。 我不得不在survey_params方法中添加:id到允许的参数。 现在看起来像这样:

 # Never trust parameters from the scary internet, only allow the white list through. def survey_params params.require(:survey).permit(:name, questions_attributes: [:id, :content]) end 

这完美的作品。 我是一个RoR新手,所以请用一点盐来分析一下,但是我猜这个新的id是在哪里生成的,而不是被传递给更新操作。 希望这可以帮助别人。

在Rails 4上使用cocoon gem,即使在编辑时将:id添加到允许列表中,我仍然得到重复的字段。 还注意到以下内容

 Unpermitted parameters: _destroy Unpermitted parameters: _destroy 

所以我添加了:_destroy字段到允许的model_attributes:字段,然后事情顺利进行。

例如…

 def survey_params params.require(:survey).permit(:name, questions_attributes: [:id, :content, :_destroy]) end