ネストされた属性を多対多で保存するときにエラーが存在する必要があります
Rails 6で多対多の関連付けを介してネストされたレコードを保存しようとしていますが、「タグが存在する必要があります」というエラーが発生します。タグは、投稿とタグ(多対多)間の相互参照テーブルであるpost_tagsの親です。私がやりたいのは、新しい投稿が作成されたときに、選択したタグに関連するpost_tagレコードを投稿フォームに保存することです。私はいくつかの関連する投稿を見て:こことここで、inverse_of、autosave:true、optional:trueを使用してみましたが、それらは機能していないようです。
これが私が持っているものです:
モデル
class Post < ApplicationRecord
has_many :post_tags, dependent: :destroy, inverse_of: :post, autosave: true
has_many :tags, through: :post_tags
end
class PostTag < ApplicationRecord
belongs_to :post
belongs_to :tag
end
class Tag < ApplicationRecord
has_many :post_tags, dependent: :destroy, inverse_of: :tag, autosave: true
has_many :posts, through: :post_tags
end
コントローラー
PostsController < ApplicationController
def new
@post = Post.new
@tags= Tag.all
@post.post_tags.build
end
def create
@post = Post.new(post_params)
@post.post_tags.build
if @post.save
...
end
end
private
def post_params
params.require(:post).permit(:title, :content, :user_id, post_tags_attributes: [tag_id: []])
end
end
形
<%= f.fields_for :post_tags do |builder| %>
<%= builder.collection_check_boxes :tag_id, Tag.top_used, :id, :name, include_hidden: false %>
<% end %>
エラー
(0.4ms) ROLLBACK
↳ app/controllers/posts_controller.rb:229:in `create'
Completed 422 Unprocessable Entity in 41ms (ActiveRecord: 3.7ms | Allocations: 15178)
ActiveRecord::RecordInvalid (Validation failed: Post tags tag must exist):
回答
1 max
「結合モデル」インスタンスを明示的に作成する必要はありません。tag_ids=
によって作成されたセッターに配列を渡す必要がありhas_many :tags, through: :post_tags
ます。
<%= form_with(model: @post) %>
...
<div class="field">
<%= f.label :tag_ids %>
<%= f.collection_check_boxes :tag_ids, @tags, :id, :name %>
</div>
...
<% end %>
コントローラは次のようになります。
PostsController < ApplicationController
def new
@post = Post.new
@tags = Tag.all
end
def create
@post = Post.new(post_params)
if @post.save
redirect_to @post, status: :created
else
@tags = Tag.all
render :new
end
end
private
def post_params
params.require(:post)
.permit(:title, :content, :user_id, tag_ids: [])
end
end
使用して、ネストされた属性とfields_forはあなたがモデルに参加するには、追加情報を格納する必要がある場合は実際には必要とされているモデルのインスタンスに参加作成します。