fields_forとは
- 複数のモデルを扱う form を作りたい時に使用するもの
基本的な使い方
例えばpage
モデルと page
モデルとhas_one
のcategory
モデルを同じform
で扱いたいとするとこんな感じになる
<%= form_with model: @page do |f| %>
<%= f.fields_for :category do |ff| %>
<%= ff.text_field :name %>
<% end %>
<% end %>
Controller
class PagesController < ApplicationController
def new
@page = Page.new
end
end
Model
class Page < ApplicationRecord
has_one :category
end
has_manyな場合
こちらもcategory
がcategories
に変わっただけで、こんな感じでいける
<%= form_with model: @page do |f| %>
<%= f.fields_for :categories do |ff| %>
<%= ff.text_field :name %>
<% end %>
<% end %>
Controller
class PagesController < ApplicationController
def new
@page = Page.new
end
end
Model
class Page < ApplicationRecord
has_many :categories
end
子の方に最初から複数のformを出したい時
この場合はちょっとcontrollerの方で先に子の方をbuildしてあげれば良い
これでfields_for
のブロックの中が3回繰り返される
<%= form_with model: @page do |f| %>
<%= f.fields_for :categories do |ff| %>
<%= ff.text_field :name %>
<% end %>
<% end %>
Controller
class PagesController < ApplicationController
before_action :build_page, only: %i(new)
before_action :build_categories, only: %i(new)
def new
end
private
def build_page
@page = Page.new
end
def build_categories
for i in 1..3 do
@page.categories.build
end
end
end
Model
class Page < ApplicationRecord
has_many :categories
end