我有一个正在测试的模块,它使用https
将数据PUT到响应URL。在此之前,它会调用AWS SDK。我不想使用https
来存储AWS SDK发出的调用,但我确实希望将调用我的模块所使用的https.post存根(如果重要的话,它是AWS Lambda单元测试)。< / p>
考虑以下测试代码
describe('app', function () {
beforeEach(function () {
this.handler = require('../app').handler;
this.request = sinon.stub(https, 'request');
});
afterEach(function () {
https.request.restore();
});
describe('#handler()', function () {
it('should do something', function (done) {
var request = new PassThrough();
var write = sinon.spy(request, 'write');
this.request.returns(request);
var event = {...};
var context = {
done: function () {
assert(write.withArgs({...}).calledOnce);
done();
}
}
this.handler(event, context);
});
});
});
我的模块正在测试中(app.js)
var aws = require("aws-sdk");
var promise = require("promise");
exports.handler = function (event, context) {
var iam = new aws.IAM();
promise.denodeify(iam.getUser.bind(iam))().then(function (result) {
....
sendResponse(...);
}, function (err) {
...
});
};
// I only want to stub the use of https in THIS function, not the use of https by the AWS SDK itself
function sendResponse(event, context, responseStatus, responseData) {
var https = require("https");
var url = require("url");
var parsedUrl = url.parse(event.ResponseURL);
var options = {
...
};
var request = https.request(options, function (response) {
...
context.done();
});
request.on("error", function (error) {
...
context.done();
});
// write data to request body
request.write(...);
request.end();
}
我该如何做到这一点?
答案 0 :(得分:1)
您可以使用nock来模拟特定的HTTP / S请求,而不是函数调用。
使用nock,您可以设置URL和请求匹配器,以允许通过该匹配的请求与您定义的内容不匹配。
例如:
nock('https://www.something.com')
.post('/the-post-path-to-mock')
.reply(200, 'Mocked response!');
这只会截取POST
对 https://www.something.com/the-post-path-to-mock 的调用,使用200
进行回复,并忽略其他请求。
Nock还提供了许多模拟响应或访问原始请求数据的选项。