105

accepts_nested_attributes_forを使用する場合、結合モデルの属性をどのように編集しますか?

私は3つのモデルを持っています:リンカーが参加したトピックと記事

class Topic < ActiveRecord::Base
  has_many :linkers
  has_many :articles, :through => :linkers, :foreign_key => :article_id
  accepts_nested_attributes_for :articles
end
class Article < ActiveRecord::Base
  has_many :linkers
  has_many :topics, :through => :linkers, :foreign_key => :topic_id
end
class Linker < ActiveRecord::Base
  #this is the join model, has extra attributes like "relevance"
  belongs_to :topic
  belongs_to :article
end

したがって、トピックコントローラの「新しい」アクションで記事を作成すると...

@topic.articles.build

...そしてtopics/new.html.erbでネストされたフォームを作成します...

<% form_for(@topic) do |topic_form| %>
  ...fields...
  <% topic_form.fields_for :articles do |article_form| %>
    ...fields...

...Railsは自動的にリンカーを作成します。これはすばらしいことです。 さて、私の質問です。私のリンカーモデルには、「新しいトピック」フォームを介して変更できるようにしたい属性もあります。ただし、Railsが自動的に作成するリンカには、topic_idとarticle_idを除くすべての属性にnil値があります。これらの他のリンカー属性のフィールドを「新しいトピック」フォームに入れて、それらがゼロにならないようにするにはどうすればよいですか?

4

3 に答える 3

93

答えを見つけました。秘訣は:

@topic.linkers.build.build_article

これでリンカーが作成され、次に各リンカーの記事が作成されます。したがって、モデルでは:
topic.rbにはaccepts_nested_attributes_for :linkers
linker.rbが必要ですaccepts_nested_attributes_for :article

次に、次の形式で:

<%= form_for(@topic) do |topic_form| %>
  ...fields...
  <%= topic_form.fields_for :linkers do |linker_form| %>
    ...linker fields...
    <%= linker_form.fields_for :article do |article_form| %>
      ...article fields...
于 2010-02-17T07:16:11.607 に答える
6

Railsによって生成されたフォームがRailsに送信されるとcontroller#actionparamsは次のような構造になります(いくつかの構成された属性が追加されます)。

params = {
  "topic" => {
    "name"                => "Ruby on Rails' Nested Attributes",
    "linkers_attributes"  => {
      "0" => {
        "is_active"           => false,
        "article_attributes"  => {
          "title"       => "Deeply Nested Attributes",
          "description" => "How Ruby on Rails implements nested attributes."
        }
      }
    }
  }
}

linkers_attributes実際には、キーではなく、キーでゼロインデックスHashが付けられていることに注意してください。これは、サーバーに送信されるフォームフィールドキーが次のようになっているためです。StringArray

topic[name]
topic[linkers_attributes][0][is_active]
topic[linkers_attributes][0][article_attributes][title]

レコードの作成は、次のように簡単になりました。

TopicController < ApplicationController
  def create
    @topic = Topic.create!(params[:topic])
  end
end
于 2013-05-08T17:31:53.153 に答える
3

ソリューションでhas_oneを使用する場合の簡単なGOTCHA。このスレッドでは、ユーザーKandadaBogguからの回答をコピーして貼り付けます。


メソッドのbuildシグネチャは has_onehas_many関連付けによって異なります。

class User < ActiveRecord::Base
  has_one :profile
  has_many :messages
end

アソシエーションのビルド構文has_many

user.messages.build

アソシエーションのビルド構文has_one

user.build_profile  # this will work

user.profile.build  # this will throw error

詳細については、has_one関連付けのドキュメントをお読みください。

于 2012-07-18T15:16:32.617 に答える