我可以stub
这样的方法:
def test_stale_eh
obj_under_test = Something.new
refute obj_under_test.stale?
Time.stub :now, Time.at(0) do
assert obj_under_test.stale?
end
end
来自http://www.rubydoc.info/gems/minitest/4.2.0/Object:stub
但我找不到如何使用参数存根方法的信息。
例如,如果我想存根Time.parse
方法,我该怎么写呢?
答案 0 :(得分:7)
如果您希望结果始终相同(即,存根方法的结果不依赖于参数),您可以将其作为值传递给stub
:
expected_time = Time.at(2)
Time.stub :parse, Time.at(2) do
assert_equal expected_time, Time.parse("Some date")
end
如果要根据参数返回不同的结果,可以传递可调用的内容。 The docs say:
如果
val_or_callable responds
为#call,则返回调用它的结果,否则返回原样值。
这意味着你可以做一些像这个人为的例子:
stub = Proc.new do |arg|
arg == "Once upon a time" ? Time.at(0) : Time.new(2016, 9, 30)
end
Time.stub :parse, stub do
assert_equal Time.new(2016, 9, 30), Time.parse("A long, long time ago")
assert_equal Time.at(0), Time.parse("Once upon a time")
end