与.stubs
上的documentation相反,我似乎能够存根一个不存在的方法。
考虑以下代码:
class DependencyClass
def self.method_to_be_stubbed
'hello'
end
end
class TestMethodClass
def self.method_being_tested
DependencyClass.method_to_be_stubbed
end
end
class StubbedMissingMethodTest < ActiveSupport::TestCase
test '#method_being_tested should return value from stub' do
assert_equal 'hello', TestMethodClass.method_being_tested
DependencyClass.stubs(:method_to_be_stubbed).returns('goodbye')
assert_equal 'goodbye', TestMethodClass.method_being_tested
end
end
在本例中,DependencyClass.stubs(:method_to_be_stubbed).returns('goodbye')
按预期工作,因为#method_to_be_stubbed
存在于DependencyClass
上。但是,如果我将#method_to_be_stubbed
更改为DependencyClass
的类实例方法,如下所示:
class DependencyClass
def method_to_be_stubbed
'hello'
end
end
class StubbedMissingMethodTest < ActiveSupport::TestCase
test '#method_being_tested should return value from stub' do
assert_equal 'hello', TestMethodClass.method_being_tested
# despite the method not existing on the class,
# instead on the instance - yet it still works?
DependencyClass.stubs(:method_to_be_stubbed).returns('goodbye')
assert_equal 'goodbye', TestMethodClass.method_being_tested
end
end
我的#method_to_be_stubbed
存根在DependencyClass
上维护类方法,尽管它不再存在。既然被存根的方法不存在,那么.stubs
调用失败的预期行为不会出现吗?
发布于 2019-12-14 00:10:06
因为被存根的方法不存在,所以.stubs调用不会失败,这是
的预期行为吗?
不,预期的行为不会失败。这就是为什么。你不是在截断一个方法。您正在截断对消息的响应。例如,您的代码中有下面这一行:user.name
。这意味着您正在向object user
发送消息age
。教user
处理消息age
的最简单/最常见的方法是确保它有一个名为age
的实例方法。但也有其他方法。您可以使用method_missing让用户对年龄做出响应。就ruby而言,这是同样有效的。
因此,minitest在这里检查方法的存在是错误的。
https://stackoverflow.com/questions/59331186
复制相似问题