4

我正在制作一个执行 Rails 命令的 gem(rails g model Item例如)。当我在 Rails 项目中使用它时,一切正常。问题是在 Rails 项目之外的开发中对其进行测试。

我正在使用cucumberwitharuba来测试 CLI 命令是否执行正确的 rails 命令并生成预期的文件。不幸的是,当我尝试测试该行为时,它失败了,因为没有 rails 文件,并且命令需要在 Rails 项目中运行才能工作。

我在 gemspec 中添加了一个 rails 依赖项:

Gem::Specification.new do |spec|
  spec.add_development_dependency 'rails', '~> 5.2.4'
end

我曾考虑在测试开始时创建一个新的 rails 项目,然后在测试运行后将其删除,但这似乎非常不方便。有一个更好的方法吗?

4

2 回答 2

3

查看 Thoughbot 的评估宝石

Appraisal 与 bundler 和 rake 集成,以在称为“评估”的可重复场景中针对不同版本的依赖项测试您的库。

这是有关如何设置它的指南tests,包括在您的目录中设置微型 Rails 应用程序。

于 2020-05-19T17:28:52.493 回答
3

我们用于WickedPDF的一项技术是在我们运行测试之前的默认rake任务中,即在 gem 的 gitignored 子目录中删除并生成完整的 Rails 应用程序。

作为此 Rakefile的高级简化示例,它看起来像这样:

耙文件

require 'rake'
require 'rake/testtask'

# This gets run when you run `bin/rake` or `bundle exec rake` without specifying a task.
task :default => [:generate_dummy_rails_app, :test]

desc 'generate a rails app inside the test directory to get access to it'
task :generate_dummy_rails_app do
  if File.exist?('test/dummy/config/environment.rb')
    FileUtils.rm_r Dir.glob('test/dummy/')
  end
  system('rails new test/dummy --database=sqlite3')
  system('touch test/dummy/db/schema.rb')
  FileUtils.cp 'test/fixtures/database.yml', 'test/dummy/config/'
  FileUtils.rm_r Dir.glob('test/dummy/test/*') # clobber existing tests
end

desc 'run tests in the test directory, which includes the generated rails app'
Rake::TestTask.new(:test) do |t|
  t.libs << 'lib'
  t.libs << 'test'
  t.pattern = 'test/**/*_test.rb'
  t.verbose = true
end

然后,在test/test_helper.rb 中,我们需要生成的 Rails 应用程序,它会加载Rails自身及其环境:

测试/test_helper.rb

ENV['RAILS_ENV'] = 'test'

require File.expand_path('../dummy/config/environment.rb', __FILE__)
require 'test/unit' # or possibly rspec/minispec

# Tests can go here, or other test files can require this file to have the Rails environment available to them.
# Some tests may need to copy assets/fixtures/controllers into the dummy app before being run. That can happen here, or in your test setup.

您可以通过自定义生成应用程序的命令来跳过不需要的 Rails 部分。例如,默认情况下,您的 gem 可能根本不需要数据库或很多东西,因此您可以针对更简单的应用程序自定义命令。可能是这样的:

system("rails new test/dummy --skip-active-record \
  --skip-active-storage --skip-action-cable --skip-webpack-install \
  --skip-git --skip-sprockets --skip-javascript --skip-turbolinks")

在 WickedPDF 项目中,我们想要测试各种“默认”Rails 安装,因此我们不会过多地自定义命令,但这可能会产生比您测试某些生成器任务所需的更多的东西。

WickedPDF 还使用 TravisCI 和多个 Gemfile 对多个版本的 Rails 进行测试,但这也可以通过Luke 在此线程中建议的Appraisal gem来完成。

于 2020-05-20T00:32:45.880 回答