如何对依赖于另一个类来更改某物状态的类进行单元测试?
我有一个类 A
,其中包含类 B
的实例,并且 A
的函数 foo
调用函数 B
的 >set,更新 B
的状态。下面是一个代码示例(Javascript):
A = function () {
this.init = function (b) {
this.b = b
}
this.foo = function (val) {
this.b.set(val)
}
this.bar = function () {
return this.b.get()
}
}
B = function () {
this.set = function (val) {
this.v = val
}
this.get = function () {
return this.v
}
}
How do I对 foo
函数进行单元测试,同时保持对 A
的测试不依赖于 的实现B
(使用模拟和存根等等)?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
使用模拟,您可以简单地将
B
的模拟传递给A
,它将检查是否使用适当的值调用了set
。如果您没有模拟框架,则可以在 JavaScript 中简单地创建一个对象:在设置
b
的测试中,使用给定的b 创建一个
然后调用A
A.foo
并检查b.setCalled
是否更改为true
。您可以类似地向b
添加 get 方法来检查A.bar
。在这种情况下,您还应该检查气味Feature Envy——当两个类如此紧密耦合时您应该检查以确保您没有错误地使用某些东西。在您的实际示例中可能没问题,但值得检查一下。
Using mocks, you can simply hand
A
a mock ofB
, which will check thatset
was called with the appropriate value. If you don't have a mock framework, in JavaScript you can simply create an object:in the test you setup
b
, create anA
with the givenb
then callA.foo
and check thatb.setCalled
changed totrue
. You can similarly add a get method tob
to checkA.bar
.In this case you also should check the smell Feature Envy -- when two classes are this tightly coupled you should check to make certain you are not using something incorrectly. It may be fine in your real example, but it is worth a check.
我想出了执行此操作的最佳方法,同时确保 A 的测试不依赖于其实现,即创建一个具有有效
get
和set,但写入临时变量。
测试 A 的代码示例:
I figured out the best way to do this, while making sure that A's test doesn't depend on its implementation, would be to create a mock B that has a working
get
andset
, but writes to a temporary variable.Code example to test A: