私はFactory Girlを使用してhas_many/through
関係を構築することに苦労しています。
次のモデルがあります。
class Job < ActiveRecord::Base
has_many :job_details, :dependent => :destroy
has_many :details, :through => :job_details
end
class Detail < ActiveRecord::Base
has_many :job_details, :dependent => :destroy
has_many :jobs, :through => :job_details
end
class JobDetail < ActiveRecord::Base
attr_accessible :job_id, :detail_id
belongs_to :job
belongs_to :detail
end
私の工場:
factory :job do
association :tenant
title { Faker::Company.catch_phrase }
company { Faker::Company.name }
company_url { Faker::Internet.domain_name }
purchaser_email { Faker::Internet.email }
description { Faker::Lorem.paragraphs(3) }
how_to_apply { Faker::Lorem.sentence }
location "New York, NY"
end
factory :detail do
association :detail_type <--another Factory not show here
description "Full Time"
end
factory :job_detail do
association :job
association :detail
end
私が欲しいのは、ジョブファクトリをデフォルトのDetail
を「フルタイム」にして作成することです。
私はこれを試してみましたが、うまくいきませんでした: FactoryGirl Has Many Through
JobDetailを介してafter_create
を使用して詳細をアタッチする方法がわかりません。
このようなものを試してください。 detail
オブジェクトを作成し、それをジョブの詳細の関連付けに追加します。 after_create
を使用すると、作成されたジョブはブロックに渡されます。したがって、FactoryGirlを使用して詳細オブジェクトを作成し、それをそのジョブの詳細に直接追加できます。
factory :job do
...
after_create do |job|
job.details << FactoryGirl.create(:detail)
end
end
今日この問題に直面し、解決策を見つけました。これが誰かを助けることを願っています。
FactoryGirl.define do
factory :job do
transient do
details_count 5 # if details count is not given while creating job, 5 is taken as default count
end
factory :job_with_details do
after(:create) do |job, evaluator|
(0...evaluator.details_count).each do |i|
job.details << FactoryGirl.create(:detail)
end
end
end
end
end
これにより、このようなジョブを作成できます
create(:job_with_details) #job created with 5 detail objects
create(:job_with_details, details_count: 3) # job created with 3 detail objects
これは私のために働いた
FactoryGirl.define do
factory :job do
# ... Do whatever with the job attributes here
factory :job_with_detail do
# In later (as of this writing, unreleased) versions of FactoryGirl
# you will need to use `transitive` instead of `ignore` here
ignore do
detail { create :detail }
end
after :create do |job, evaluator|
job.details << evaluator.detail
job.save
job_detail = job.job_details.where(detail:evaluator.detail).first
# ... do anything with the JobDetail here
job_detail.save
end
end
end
end
じゃあ後で
# A Detail object is created automatically and associated with the new Job.
FactoryGirl.create :job_with_detail
# To supply a detail object to be associated with the new Job.
FactoryGirl.create :job_with_detail detail:@detail
この問題は次の方法で解決できます。
FactoryBot.define do
factory :job do
# job attributes
factory :job_with_details do
transient do
details_count 10 # default number
end
after(:create) do |job, evaluator|
create_list(:details, evaluator.details_count, job: job)
end
end
end
end
これにより、必要な詳細の数を指定するオプションがあるjob_with_detailsを作成できます。詳細は この興味深い記事 を参照してください。