我有2个型号:
# user.rb
class User < ActiveRecord::Base
has_one :profile, :dependent => :destroy
end
# profile.rb
class Profile < ActiveRecord::Base
belongs_to :user
validates_presence_of :user
end
# user_factory.rb
Factory.define :user do |u|
u.login "test"
u.association :profile
end
我想做这个:
@user = Factory(:user)
=> #<User id: 88,....>
@user.profile
=> #<Profile id:123, user_id:88, ......>
@user = Factory.build(:user)
=> #<User id: nil,....>
@user.profile
=> #<Profile id:nil, user_id:nil, ......>
但这是行不通的!
它告诉我我的个人资料模型不正确,因为没有用户! (它将配置文件保存在用户之前,因此没有user_id ...)
我怎样才能解决这个问题?尝试了所有.. :(
我需要调用Factory.create(:user)...
更新
解决了此问题-现在可以使用:
# user_factory.rb
Factory.define :user do |u|
u.profile { Factory.build(:profile)}
end
# user.rb
class User < ActiveRecord::Base
has_one :profile, :dependent => :destroy, :inverse_of => :user
end
# profile.rb
class Profile < ActiveRecord::Base
belongs_to :user
validates_presence_of :user
end
最佳答案
以这种方式修复(as explained in this post)
Factory.define :user do |u|
u.login "test"
u.profile { |p| p.association(:profile) }
end
您还可以做的(因为用户不需要个人资料(没有验证))就是两步构建
Factory.define :user do |u|
u.login "test"
end
然后
profile = Factory :profile
user = Factory :user, :profile => profile
我想在这种情况下,您甚至只需要一步,在配置文件工厂中创建用户并执行
profile = Factory :profile
@user = profile.user
这似乎是正确的方法,不是吗?
更新
(根据您的评论)为避免保存配置文件,请使用Factory.build来仅对其进行构建。
Factory.define :user do |u|
u.login "test"
u.after_build { |a| Factory(:profile, :user => a)}
end
关于ruby-on-rails - Factory_girl has_one与validates_presence_of的关系,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/3648699/