0

我试图掌握工具Nock以模拟来自我的代码执行调用的请求和响应。我使用 npm request 作为简单的 HTTP 客户端来请求后端 REST API,使用 Chai 请求期望库和 Mocha 来运行我的测试。这是我用于测试的代码:

 var nock = require('nock');
 var storyController = require('../modules/storyController');

 var getIssueResponse = {
   //JSON object that we expect from the API response.
 }

 it('It should get the issue JSON response', function(done) {
   nock('https://username.atlassian.net')
   .get('/rest/api/latest/issue/AL-6')
   .reply(200, getIssueResponse);

   storyController.getStoryStatus("AL-6", function(error, issueResponse) {
   var jsonResponse = JSON.parse(issueResponse);

   expect(jsonResponse).to.be.a('object');
   done();
 })
});

这是执行 GET 请求的代码:

 function getStoryStatus(storyTicketNumber, callback) {
   https.get('https://username.atlassian.net/rest/api/latest/issue/' + storyTicketNumber, function (res) {

   res.on('data', function(data) {
    callback(null, data.toString());
   });

   res.on('error', function(error) {
    callback(error);
   });
  })
 }

这个单一的测试通过了,我不明白为什么。看起来它实际上是在打一个真正的电话,而不是使用我的假诺克请求/响应。如果我评论 nock 部分或更改:

 .reply(200, getIssueResponse) to .reply(404)

它不会破坏测试并且没有任何变化,我没有对我的 nock 变量做任何事情。有人可以用一个清晰​​的例子向我解释如何使用 Nock 在我的 NodeJS http-client 中模拟请求和响应吗?

4

1 回答 1

1

TLDR:我认为你的代码做的比它告诉你的要多。

重要提示:当将 http 请求置于“流模式”时,该data事件可能(并且可能确实)被多次触发,每次触发一个“块”数据,在互联网上的块可能在 1400 到 64000 字节之间变化,所以期待多次回调调用(这是一种非常特殊的坏事)

作为一个简单的建议,您可以尝试使用request或只是连接接收到的数据,然后调用end事件的回调。

我使用后一种技术尝试了一个非常小的片段

var assert = require('assert');
var https = require('https');
var nock = require('nock');

function externalService(callback) {
  // directly from node documentation:
  // https://nodejs.org/api/https.html#https_https_get_options_callback
  https.get('https://encrypted.google.com/', (res) => {

    var data = '';
    res.on('data', (d) => {
      data += d;
    });

    res.on('end', () => callback(null, JSON.parse(data), res));
  // on request departure error (network is down?)
  // just invoke callback with first argument the error
  }).on('error', callback);
}


describe('Learning nock', () => {
  it('should intercept an https call', (done) => {
    var bogusMessage = 'this is not google, RLY!';

    var intercept = nock('https://encrypted.google.com').get('/')
      .reply(200, { message: bogusMessage });

    externalService((err, googleMessage, entireRes) => {
      if (err) return done(err);

      assert.ok(intercept.isDone());
      assert.ok(googleMessage);
      assert.strictEqual(googleMessage.message, bogusMessage);
      assert.strictEqual(entireRes.statusCode, 200);

      done();
    });

  })
})

它工作得很好,即使使用on('data')

编辑:

关于如何正确处理流的参考

我已将该示例扩展为成熟的 mocha 示例

于 2016-11-30T22:18:22.993 回答