我创建了工厂客户和合同。我运行测试,但显示错误
FactoryGirl.define do
factory :client, class: User do
role 'client'
first_name 'John'
sequence(:last_name) { |n| "client#{n}" }
sequence(:email) { |n| "client#{n}@example.com" }
# avatar { Rack::Test::UploadedFile.new(File.join(Rails.root, 'public', 'images', '128.jpg')) }
password 'password'
password_confirmation 'password'
end
end
支持/ controller_macros.rb
module ControllerMacros
def login_client
before do
@client = create(:client)
#@request.env['devise.mapping'] = Devise.mappings[:client]
sign_in @client
end
end
end
FactoryGirl.define do
factory :contract do
sequence(:title) { |n| "translation#{n}" }
amount 150
additional_information 'X' * 500
due_date { 21.days.from_now }
association :user, factory: :client
association :user, factory: :contractor
end
end
我进行测试 rspec spec / controllers / contracts_controller_spec.rb
require 'rails_helper'
describe ContractsController do
login_client
let(:contract) { create(:contract) }
describe 'POST #create' do
context 'with valid attributes' do
it 'redirects to payment page' do
post :create, contract: attributes_for(:contract)
expect(response).to redirect_to payment_new_path
end
end
end
end
错误显示:
Failure/Error: post :create, contract: attributes_for(:contract)
FactoryGirl::AttributeDefinitionError:
Attribute already defined: user
工厂或测试有什么问题?
答案 0 :(得分:2)
工厂:contract
定义了两个名为user
的属性,但这是不允许的。
赋予它们唯一的(在工厂内)标签,例如:
FactoryGirl.define do
factory :contract do
sequence(:title) { |n| "translation#{n}" }
amount 150
additional_information 'X' * 500
due_date { 21.days.from_now }
association :client, factory: :client
association :contractor, factory: :contractor
end
end
因为它们看似合适,我选择了与工厂名称相对应的属性名称。这样可以通过省略工厂名称来缩短它:
FactoryGirl.define do
factory :contract do
sequence(:title) { |n| "translation#{n}" }
amount 150
additional_information 'X' * 500
due_date { 21.days.from_now }
client
contractor
end
end
(参见http://www.rubydoc.info/gems/factory_girl/file/GETTING_STARTED.md,"协会":
如果工厂名称与关联名称相同,则可以省略工厂名称。
)