我需要确保在下面显示的UserMock
类中调用了某个方法。我已经创建了这个模拟版本以注入到另一个模块中,以防止测试期间的默认行为。
我已经在使用sinon.js
,那么如何访问诸如isValid()
之类的方法并将其替换为间谍/存根?是否可以在不实例化类的情况下执行此操作?
var UserMock = (function() {
var User;
User = function() {};
User.prototype.isValid = function() {};
return User;
})();
谢谢
最佳答案
var UserMock = (function() {
var User;
User = function() {};
User.prototype.isValid = function() {};
return User;
})();
只需通过
prototype
:(function(_old) {
UserMock.prototype.isValid = function() {
// my spy stuff
return _old.apply(this, arguments); // Make sure to call the old method without anyone noticing
}
})(UserMock.prototype.isValid);
说明:
(function(_old) {
和
})(UserMock.prototype.isValid);
对变量
isValue
的方法_old
进行引用。进行了封闭操作,因此我们不将变量与父级作用域混为一谈。UserMock.prototype.isValid = function() {
重新声明原型方法
return _old.apply(this, arguments); // Make sure to call the old method without anyone noticing
调用旧方法并从中返回结果。
使用apply将所有参数传递给函数,并将其放入正确的范围(
this
)例如。如果我们做一个简单的函数并应用它。
function a(a, b, c) {
console.log(this, a, b, c);
}
//a.apply(scope, args[]);
a.apply({a: 1}, [1, 2, 3]);
a(); // {a: 1}, 1, 2, 3