Как создать вложенные объекты в Rails3, используя accepts_nested_attributes_for? - PullRequest
5 голосов
/ 17 марта 2011

Я не могу понять, как настроить форму, которая создаст новый Study, одновременно создавая связанные StudySubject и Facility. user_id, facility_id и study_subject_id должны быть доступны для создания объекта Study, как вы можете видеть в реляционной модели базы данных.

Database model

Вот миграция для studies. Другие таблицы не содержат внешних ключей.

def self.up
 create_table :studies do |t|
  t.references :user
  t.references :facility
  t.references :subject
  t.date "from"
  t.date "till"
  t.timestamps
 end
 add_index :studies, ["user_id", "facility_id", "subject_id"], :unique => true
end

Модели определяют следующие ассоциации.

# user.rb
has_many :studies

# subject.rb
has_many :studies

# facility.rb
has_many :studies

# study
belongs_to :user
belongs_to :subject
belongs_to :facility

Вопросы

1) Верны ли определения has_many и belongs_to?
2) Как я могу создать study, используя accepts_nested_attributes_for ?
3) Исследование должно принадлежать только одному пользователю. Нужно ли добавлять user_id в каждый другой объект для хранения ассоциации?

Я абсолютно новичок в Rails после 2 недель интенсивного обучения. Извините за глупый вопрос, может быть.

1 Ответ

4 голосов
/ 17 марта 2011

Да. Оно работает. Хороший друг предложил свою помощь. Это то, что мы настроили.
Обратите внимание, что я переименовал StudySubject в Subject.

Модель study.rb

belongs_to :student, :class_name => "User", :foreign_key => "user_id"  
belongs_to :subject  
belongs_to :university, :class_name => "Facility", :foreign_key => "facility_id"  

accepts_nested_attributes_for :subject, :university

Контроллер studies_controller.rb

def new
  @study = Study.new
  @study.subject = Subject.new
  @study.university = Facility.new
end

def create
  @study = Study.new(params[:study])
  @study.student = current_user

  if @study.save
    flash[:notice] = "Successfully created study."
    redirect_to(:action => 'index')
  else
    render('new')
  end
end

Я использую devise для аутентификации и cancan для авторизации. Поэтому в контроллере доступно current_user.

Новый обзор исследования new.html.erb

<%= form_for @study, :url => { :action => "create" } do |f| %>

  <table summary="Study form fields">

    <%= render :partial => "shared/study_form_fields", :locals =>  { :f => f } %>

    <%= f.fields_for :subject do |builder| %>
      <%= render :partial => "shared/subject_form_fields", :locals =>  { :f => builder } %>
    <% end %>

    <%= f.fields_for :university do |builder| %>
      <%= render :partial => "shared/facility_form_fields", :locals =>  { :f => builder } %>
    <% end %>

  </table>

  <p><%= f.submit "Submit" %></p>

<% end %>

Надеюсь, это сэкономит вам время. Я потратил много времени, чтобы понять, как все должно быть настроено.

...