我有两节课:
1.Sale是ActiveRecord的子类;它的工作是将销售数据保存到数据库中。
class Sale < ActiveRecord::Base
def self.total_for_duration(start_date, end_date)
self.count(conditions: {date: start_date..end_date})
end
#...
end
2.SalesReport是一个标准的Ruby类;它的工作是生成和绘制有关销售的信息。
class SalesReport
def initialize(start_date, end_date)
@start_date = start_date
@end_date = end_date
end
def sales_in_duration
Sale.total_for_duration(@start_date, @end_date)
end
#...
end
因为我想使用 TDD 并且我希望我的测试运行得非常快,所以我为不加载 Rails 的 SalesReport 编写了一个规范:
require_relative "../../app/models/sales_report.rb"
class Sale; end
# NOTE I have had to re-define Sale because I don't want to
# require `sale.rb` because it would then require ActiveRecord.
describe SalesReport do
describe "sales_in_duration" do
it "calls Sale.total_for_duration" do
Sale.should_receive(:total_for_duration)
SalesReport.new.sales_in_duration
end
end
end
这个测试在我运行时有效bundle exec rspec spec/models/report_spec.rb
。
bundle exec rake spec
但是,当我运行错误时,此测试失败superclass mismatch for class Sale (TypeError)
。我知道错误正在发生,因为 Tap 由sale.rb
规范定义并内联。
所以我的问题是如果没有定义一个类,有没有办法存根(或模拟或双)一个类? 这将允许我删除 inline class Sale; end
,这感觉就像一个黑客。
如果没有,我如何设置我的测试,以便无论我运行bundle exec rspec
还是运行它们都能正确运行bundle exec rake spec
?
如果不是,我编写快速测试的方法是否错误?!
最后,我不想使用Spork。谢谢!