1

我有一个简单的联想:

class Account < ActiveRecord::Base
  has_many :users

  accepts_nested_attributes_for :users
  validates_presence_of :users
end

class User < ActiveRecord::Base
  belongs_to :account
end

我只想运行一个简单的测试:

describe 'a new', Account do
  it 'should be valid' do
    Factory.build(:account).should be_valid
  end
end

与工厂:

Factory.define :account do |a|
  a.name                 { Faker::Company.name }
end

Factory.define :user do |u|
  u.association           :account
  u.email                 { Faker::Internet.email }
end

但我总是遇到这个错误:

'a new Account should be valid' FAILED
Expected #<Account id: nil, name: "Baumbach, Gerlach and Murray" > to be valid, but it was not
Errors: Users has to be present

好吧,我设置了正确的关联,但它不起作用......

谢谢你的帮助。

4

1 回答 1

7

validates_presence_of :users在您的Account模型中负责失败的测试。您的帐户中至少需要一个用户,才能创建它。

我不确定你真正想要做什么,所以我给你两种方法来解决这个问题。第一种选择是更改您的工厂:

Factory.define :account do |a|
  a.name                 { Faker::Company.name }
  a.users                {|u| [u.association(:user)]}
end

Factory.define :user do |u|
  u.email                 { Faker::Internet.email }
end

另一种方法是检查关联方是否存在。所以你需要像这样改变你的模型:

class Account < ActiveRecord::Base
  has_many :users

  accepts_nested_attributes_for :users
end


class User < ActiveRecord::Base
  belongs_to :account
  validates_presence_of :account
end
于 2010-06-24T11:47:49.300 回答