我有一个包含一些工厂的宝石。宝石看起来像:
.
├── Gemfile
├── Gemfile.lock
├── README.md
├── Rakefile
├── db
├── lib
│ ├── models
│ │ ├── users.rb
├── pkg
├── core.gemspec
├── spec
│ ├── factories
│ │ └── users.rb
│ ├── fixtures
│ ├── helpers
│ ├── integration
│ ├── spec_helper.rb
│ ├── support│ │
│ └── unit
│ └── users_spec.rb
└── tasks
现在我在另一个 Ruby 项目(Grape)中使用 gem,添加了类似
gem 'core', git: 'https://url.git'
的内容。
现在一切正常,因为我可以使用 Grape 项目中的
User
模型。
但是我想使用工厂(
users
),这样我就可以为 Grape 项目编写进一步的集成测试。
在 Grape 项目中,在
spec_helper.rb
中,它看起来像:
require 'rubygems'
require 'bundler/setup'
Bundler.require(:default, :development)
ENV['RACK_ENV'] ||= 'test'
require 'rack/test'
require File.expand_path('../../config/environment', __FILE__)
RSpec.configure do |config|
config.mock_with :rspec
config.expect_with :rspec
config.raise_errors_for_deprecations!
config.include FactoryGirl::Syntax::Methods
end
require 'capybara/rspec'
Capybara.configure do |config|
config.app = Test::App.new
config.server_port = 9293
end
现在我的测试“users_spec.rb”看起来像:
require 'spec_helper'
describe App::UsersController do
include Rack::Test::Methods
def app
App::API
end
describe "/users/me" do
context "with invalid access token" do
before(:each) do
get "/api/v2/users/me"
user = build(:user)
end
it 'returns 401 error code' do
expect(last_response.status).to eq(401)
expect(user).to eq(nil)
end
end
end
end
现在,当我尝试使用
rspec spec/api/users_spec.rb
运行测试时,我得到:
我不断收到此错误:
Failure/Error: user = build(:user)
ArgumentError:
Factory not registered: user
任何帮助将不胜感激,因为我一直在为此奋斗。
问题是您可能没有在加载路径中公开规范文件夹(以及工厂)。一般来说,这是正确的做法。检查你
*.gemspec
,你可能有这样的东西:
s.require_paths = ["lib"]
这意味着使用您的 gem 的其他项目只能需要
lib
目录下的文件。请参阅 http://guides.rubygems.org/specification-reference/#require_paths=
因此,要解决您的问题,您需要在
lib
文件夹中放置一个文件,该文件夹“知道”您的工厂所在位置并需要这些文件。因此,在您的情况下,创建一个文件 lib/<your gem name>/factories.rb
并添加:
GEM_ROOT = File.dirname(File.dirname(File.dirname(__FILE__)))
Dir[File.join(GEM_ROOT, 'spec', 'factories', '*.rb')].each { |file| require(file) }
在另一个项目中加载工厂:
require '<your gem name>/factories'
对我来说效果很好。我唯一还没弄清楚的是如何命名你的工厂。不确定工厂女孩是否允许这样做。
按照其他答案中的建议对每个工厂文件进行
require
的替代方法是更新 FactoryBot.definition_file_paths
配置。
创建一个将解析工厂路径的文件:
# lib/my_gem/test_support.rb
module MyGem
module TestSupport
FACTORY_PATH = File.expand_path("../../spec/factories", __dir__)
end
end
# spec/spec_helper.rb or similar
require "my_gem/test_support"
FactoryBot.definition_file_paths = [
MyGem::TestSupport::FACTORY_PATH,
# Any other paths you want to add e.g.
# Rails.root.join("spec", "factories")
]
FactoryBot.find_definitions
definition_file_paths
解决方案的优点是FactoryBot.reload
等其他功能将按预期工作。
就我而言,我需要在初始化程序中添加定义文件路径并避免调用
FactoryBot.find_definitions
。否则我会收到错误:
FactoryBot::DuplicateDefinitionError:
Factory already registered: address
配置/初始化器/factory_bot.rb
if Rails.env.test?
FactoryBot.definition_file_paths << File.join(Gem.loaded_specs['my_gem_with_shared_factories'].full_gem_path, 'spec/factories')
end