Rails: связывание объекта после создания
Я пытаюсь создать сайт, который будет показывать пошаговые инструкции. Пользователь будет просматривать вопрос и выбирать ответ. Вид ответа показан ниже:
<p id="notice"><%= notice %></p>
<p>
<strong>Post:</strong>
<%= @question.post %>
</p>
<%= link_to 'Answer', new_step_path(:question_id=>@question.id) %> |
<%= link_to 'Edit', edit_question_path(@question) %> |
<%= link_to 'Back', questions_path %>
Когда пользователь выбирает "ответ", я перенаправляю на шаг № новый, который отображает форму шага.
<%= form_for(@step) do |f| %>
<% if @step.errors.any? %>
<div id="error_explanation">
<h2><%= pluralize(@step.errors.count, "error") %> prohibited this step from being saved:</h2>
<ul>
<% @step.errors.full_messages.each do |msg| %>
<li><%= msg %></li>
<% end %>
</ul>
</div>
<% end %>
<div class="actions">
<%= @question.id %>
<%= f.hidden_field :question_id, :value => @question.id %>
</div>
<div class="field">
<%= f.label :post %><br>
<%= f.text_field :post %>
</div>
<div class="actions">
<%= f.submit %>
</div>
<% end %>
Я передаю соответствующий вопрос из URL, а затем в скрытое поле.
Учитывая, что Steps has_many:questions,:through=>: инструкция, как мне вставить скрытые значения полей в модель Инструкций после того, как контроллер Steps создаст Шаг?
class StepsController < ApplicationController
before_action :set_step, only: [:show, :edit, :update, :destroy]
# GET /steps
# GET /steps.json
def index
@steps = Step.all
end
# GET /steps/1
# GET /steps/1.json
def show
end
# GET /steps/new
def new
@step = Step.new
@question = Question.find(params[:question_id])
end
# GET /steps/1/edit
def edit
end
# POST /steps
# POST /steps.json
def create
@step = Step.new(step_params)
respond_to do |format|
if @step.save
@instruction = Instruction.create(:question_id=>@question, :step_id=>@step, :order=>1)
format.html { redirect_to @step, notice: 'Step was successfully created.' }
format.json { render action: 'show', status: :created, location: @step }
else
format.html { render action: 'new' }
format.json { render json: @step.errors, status: :unprocessable_entity }
end
end
end
# PATCH/PUT /steps/1
# PATCH/PUT /steps/1.json
def update
respond_to do |format|
if @step.update(step_params)
format.html { redirect_to @step, notice: 'Step was successfully updated.' }
format.json { head :no_content }
else
format.html { render action: 'edit' }
format.json { render json: @step.errors, status: :unprocessable_entity }
end
end
end
# DELETE /steps/1
# DELETE /steps/1.json
def destroy
@step.destroy
respond_to do |format|
format.html { redirect_to steps_url }
format.json { head :no_content }
end
end
private
# Use callbacks to share common setup or constraints between actions.
def set_step
@step = Step.find(params[:id])
end
# Never trust parameters from the scary internet, only allow the white list through.
def step_params
params.require(:step).permit(:post)
end
end
1 ответ
Несмотря на то, что я спросил вас о модельных отношениях, все еще не ясно, как эти три модели связаны друг с другом (вы только упомянули: Шаг has_many:questions,:through=>: инструкция). В любом случае я отвечу на ваш вопрос, основываясь на моих предположениях. Так что будьте осторожны:
Модели:
class Step < ActiveRecord::Base
belongs_to :instruction
has_many :questions,
through: :instruction
end
class Instruction < ActiveRecord::Base
has_many :steps
has_many :questions
end
class Question < ActiveRecord::Base
belongs_to :instruction
end
и теперь ваш steps_controller.rb:
Прежде всего: где @question создается в вашем коде?
@instruction = Instruction.create(:question_id=>@question, :step_id=>@step, :order=>1)
Эта строка также очень запутанная с точки зрения REST:
Почему StepsController#create должен создавать инструкцию?
Если вы не можете справиться с этим по-другому, поместите его в обратный вызов модели Step. Вы будете хотеть это также с транзакционной точки зрения;)
Вот почему ваши действия должны больше выглядеть:
def create
@step = Step.new(step_params)
respond_to do |format|
if @step.save
format.html { redirect_to @step, notice: 'Step was successfully created.' }
format.json { render action: 'show', status: :created, location: @step }
else
format.html { render action: 'new' }
format.json { render json: @step.errors, status: :unprocessable_entity }
end
end
end
поэтому модель Step:
class Step < ActiveRecord::Base
belongs_to :instruction
has_many :questions,
through: :instruction
attr_accessor :question_id
before_create :create_related_instruction
private
def create_related_instruction
self.create_instruction question_id: question_id, order: 1
end
end
Я думаю, вы поняли идею.