2

我还是很在学node、js、sinon、proxyquire等。

我有一个使用 google-geocode 模块(https://github.com/bigmountainideas/google-geocoder)的模块,我正在努力编写一个测试来存根它。

这一切都归结为我认为你如何设置它。在 time.js 中,我按照 google-geocoder 文档执行以下操作:

var geocoder = require('google-geocoder');

  ...

module.exports = function(args, callback) {
  var geo = geocoder({ key: some-thing });
  geo.find('new york', function(err, response) { ... });
}

我正在尝试按如下方式进行测试,但出现错误:

  TypeError: geo.find is not a function
   at run (cmdsUser/time.js:x:x)
   at Context.<anonymous> (tests/cmdsUser/time-test.js:x:x)

时间test.js:

var time;
var findStub;

before(function () {
  findStub = sinon.stub()
  time = proxyquire('./../../cmdsUser/time',{ 'google-geocoder': { find: findStub } } );
});

describe('Demo test', function() {
  it('Test 1', function(done){
    findStub.withArgs('gobbledegook').yields(null, { this-is: { an-example: 'invalid' } });

    time(['gobbledegook'], function(err, response) {
      expect(response).to.equals('No result for gobbledegook');
      done();
    });
  });
});

我有点困惑。非常感谢。

4

1 回答 1

0

google-geocode的导出似乎被格式化为:

{
    function() {
        [...]
        // Will return an instance of GeoCoder
    }
    GeoCoder: {
        [...]
        __proto__: {
            find: function() {
                // Replace me!
            }
        }
    },
    GeoPlace: [...]
}

proxyquire似乎替换了返回实例的函数,即使在find使用键包装对象时也可以通过将方法实际分配给正确的对象来"GeoCoder"使您更接近解决方案。find我做了一个测试项目,试图学习克服这个问题的最佳方法,我觉得有点卡住了。但既然你callThru之前是 'ing,你还不如做 proxyquire 的脏活,然后传递依赖项的存根版本。

before(function() {
    // Stub, as you were before
    findStub = sinon.stub()
    // Require the module yourself to stub
    stubbedDep = require('google-geocoder')
    // Override the method with the extact code used in the source
    stubbedDep.GeoCoder.prototype.find = findStub
    // Pass the stubbed version into proxyquire
    test = proxyquire('./test.js', { 'google-geocoder': stubbedDep });
});

我真的希望有更好的方法来做你想做的事。我相信类的构造函数以类似的方式行事,这让我认为其他人也有类似的问题(见下面的问题)。如果半年多后这仍然是您的活跃项目而没有回应,您可能应该加入该回购上的那个对话或另一个对话并在这里为其他人发布答案。

问题:#136#144#178

于 2017-11-22T14:38:35.567 回答