当前位置: 代码迷 >> JavaScript >> 摩卡测试模拟功能
  详细解决方案

摩卡测试模拟功能

热度:80   发布时间:2023-06-05 10:32:32.0

我正在测试具有功能的骨干视图:

attachSelect: function(id, route) {
    console.log(id);
    console.log(route);

    this.$(id).select2({
        ajax: {
            url: route,
            dataType: 'json',
            results: function(data) {
                var results = _.map(data, function(item) {
                    return {
                        id: item.id,
                        text: item.title
                    };
                });

                return {
                    results: results
                };
            },
            cache: true
        }
    });
}

我需要重写(模拟)此功能,如下所示:

attachSelect: function(id, route) {
    console.log(id);
    console.log(route);
}

怎么做 ?

模拟功能的最简单方法是在运行时替换属性。

您可以提供自己的监视功能(通常称为间谍),尽管这不是最优雅的方法。 看起来像:

var called = false;
var testee = new ViewUnderTest();
var originalAttach = testee.attachSelect; // cache a reference to the original
testee.attachSelect = function () {
  called = true;
  var args = [].concat(arguments); // get an array of arguments
  return originalAttach.apply(testee, args);
};

// Perform your test

expect(called).to.be.true;

如果您拥有诸如类的测试断言库,则可以使用并将其简化为:

var testee = new ViewUnderTest();
var spy = chai.spy(testee.attachSelect);
testee.attachSelect = spy;

// Perform your test

expect(spy).to.have.been.called();

使用间谍库将提供一些有用的功能,例如监视调用次数及其参数以验证低级行为。 如果您使用的是Chai或Jasmine,我强烈建议您充分利用对间谍的相应支持。

  相关解决方案