私はライアン・ベイツを追跡しようとしています RailsCast#196:ネストされたモデルフォームパート1 。 Ryansバージョンには2つの明らかな違いがあります。1)組み込みの足場を使用していますが、彼が使用しているのと同じくらい気の利いたものではありません。2)Rails 4(ライアンズがキャストで使用しているバージョンを本当に知っていますが、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 %>
最後に、新しい調査がインスタンス化されるたびに3つの質問が作成されるようにコントローラー
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
したがって、3つの質問を含む新しい調査を作成することは問題ありません。ただし、調査の1つを編集しようとすると、元の3つの質問が維持され、さらに3つの質問が作成されます。そのため、編集済みのアンケートに3つの質問をする代わりに、6つになりました。
Rails.logger.debug("New method executed")
コントローラーの新しいメソッドに追加します。私が知る限り、編集操作を行っているときは実行されません。誰が私が間違っているのか教えてもらえますか?
どんな助けも大歓迎です!
だから私はそれを理解しました。 :id
メソッドの許可されたパラメーターにsurvey_params
を追加する必要がありました。次のようになります。
# 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