假设我有一个如下文件:
src / blah.js
var Foo = require("../../something/foo.js");
var goo = new Foo({
host: argv.host.toString(),
port: parseInt(argv.port)
});
goo.order("service_name");
goo.do("invalidPhone", function(req, done) {
goo.talk('newFunc', 'newAct', req.data, function(newActErr, newActResponse){
done(newActResponse)
})
});
exports.goo = goo;
其中“ something / foo.js”是执行各种功能的实用程序帮助程序项目。
假设goo.order
在某处注册了service_name,而goo.do
实际上使用invalidPhone
作为函数名称执行了一些工作。
在这种情况下,invalidPhone
函数上的某些其他服务使用某些参数req
进行调用。当invalidPhone
函数被调用时,该函数应该打印“ Here!”。以及req.data
中的所有内容。
我是否有必要为invalidPhone
函数编写单元测试用例?我假设要实现我需要以某种方式模拟goo.do()
,但是我该怎么做呢?
我尝试编写如下测试用例:
var eventService = require("../src/blah");
var base = eventService.goo;
var sinon = require("sinon");
describe("Goo Blah service", function(done) {
beforeEach(function() {
this.consoleSpy = sinon.spy(console, "log");
});
afterEach(function() {
this.consoleSpy.restore();
});
it("Response should be logged", function() {
goo.action("invalidPhone", "a123456789");
this.consoleSpy.called.should.be.true;
});
});
但是上述方法似乎无效。
编辑1:如果我的代码如下所示,并且我有一个新函数goo.talk
进行模拟/存根并返回newActErr
和newActResp
中的某些值怎么办?值newFunc
和newAct
可以更改。那我该怎么办?
var Foo = require("../../something/foo.js");
var goo = new Foo({
host: argv.host.toString(),
port: parseInt(argv.port)
});
goo.order("service_name");
goo.do("invalidPhone", function(req, done) {
goo.talk('newFunc', 'newAct', req.data, function(newActErr, newActResponse){
if(newActResponse.status){
done(null, newActResponse)
} else {
done('error', null)
}
})
});
exports.goo = goo;
根据deerawan提供的答案提示/帮助,我尝试了以下操作:
talkStub = sinon.stub().withArgs('newFunc', 'newAct', {data: "name"}).returns({"status":"online"})
答案 0 :(得分:1)
您的测试无法进行,因为您在文件开头加载了源文件console.log
之后对blah
进行了模拟/间谍
var eventService = require("../src/blah");
除此之外,如果可以模拟Foo
类,使测试隔离就更好了。
我建议使用proxyquire
来帮助完成这些工作。 Proxyquire
的工作方式类似于require
,但也可以对源文件中的任何依赖项进行一些模拟。
看看下面的解决方案:
const chai = require('chai');
const proxyquire = require('proxyquire');
const sinon = require('sinon');
// need to specify this so Foo constructor can be initialized
process.argv.host = 'http';
process.argv.port = '333';
describe("Goo Blah service", function() {
let consoleSpy;
let orderStub;
let doStub;
beforeEach(function() {
orderStub = sinon.stub();
doStub = sinon.stub().yields({ data: 'mine' });
// this our mock for Foo class
function MockFoo() {
return {
order: orderStub,
do: doStub,
}
}
consoleSpy = sinon.spy(console, 'log');
// require the source file and mock `foo`
proxyquire('../src/blah', { '../../something/foo.js': MockFoo } );
});
afterEach(function() {
sinon.restore();
});
it("Response should be logged", function() {
sinon.assert.calledWith(orderStub, 'service_name');
sinon.assert.calledWith(doStub, 'invalidPhone');
sinon.assert.called(consoleSpy);
sinon.assert.calledWith(consoleSpy, 'Here!', 'mine');
});
});
希望有帮助