我正在尝试使用Sinon来测试一个看起来有点像这样的JS组件......
import Bootbox from "../helpers/bootbox";
import Guard from "../helpers/guard";
import UrlHelper from "../helpers/url-helper";
export default class DeleteButton {
/**
* Creates an instance of DeleteButton.
*
* @param {object} element The DOM element to make into a delete button.
*
* @memberOf DeleteButton
*/
constructor(element) {
Guard.throwIf(element, "element");
this.deleteUri = element.getAttribute("data-delete-uri") || UrlHelper.current.url().split('?')[0];
this.title = element.getAttribute("data-title") || `Delete the item?`;
this.cancelText = element.getAttribute("data-cancel") || `Cancel`;
this.confirmText = element.getAttribute("data-confirm") || `Remove`;
this.message = element.getAttribute("data-message") || `Do you want to delete the item? This cannot be undone.`;
this.successUri = element.getAttribute("data-success-uri");
this.errorMessage = element.getAttribute("data-error-message") || `Unable to complete operation.`;
}
/**
* Shows failure of deletion.
*
* @memberOf DeleteButton
*/
showFailed() {
Bootbox.alert({
message: this.errorMessage,
size: `small`,
backdrop: true
});
}
}
测试看起来像这样...
it("Can show a fail message", function() {
$("body").append(`<a class="js-delete-button" data-id="123" data-delete-uri="/delete/123">Delete</a>`);
let objUt = new DeleteButton($(".js-delete-button").get()[0]);
let bootboxAlertStub = Sinon.stub(Bootbox, 'alert');
objUt.showFailed();
let args = bootboxAlertStub.args;
expect(args.message).to.equal(objUt.errorMessage);
});
但是我无法越过这条线let bootboxAlertStub = Sinon.stub(Bootbox, 'alert');
,因为我从 Karma 那里得到一个错误,说“应该包装对象的属性”。我也尝试将其包装在 Sinon.test 包装器中并使用 this.stub 但错误更加迟钝。
我已经浏览了 Sinon.JS 文档并在网上搜索过,但我被卡住了。代码工作正常。
我看过这篇类似的帖子 -使用 Sinon.js 存根一个类方法,但并不完全相同。
查看实际的底层引导箱 JavaScript 文件,我有效地尝试存根一个看起来有点像这样的方法(减少)......
exports.alert = function() {
// do something
};
然后 JS 文件最后返回导出...
return exports;
查看一些 Github 帖子,似乎不可能对这些特定调用进行存根,因为底层调用是实用程序函数而不是对象函数。
我通过如下更改我的 Bootbox 包装类来缓解这种情况(以一种可怕的方式)......
export default {
/**
* Generates an alert box.
*
* @param {any} options
*/
alert: function(options) {
window.bootbox.alert(options);
},
/**
* Generates a confirmation dialog.
*
* @param {any} options
*/
confirm: function(options) {
window.bootbox.confirm(options);
}
}
这解决了一个问题并引入了另一个问题。虽然我现在可以存根 Bootbox,但当存根时,我无法获得论点....
(来自测试)
let args = bootboxAlertStub.args;
这令人沮丧 - 参数作为复杂参数传递,因此“调用的”断言不会削减它。
有什么方法可以让我获得存根的论点吗?