superagent和nock如何一起工作?

时间:2013-02-04 14:50:37

标签: javascript node.js request superagent nock

在node.js中,我很难让superagent和nock一起工作。如果我使用请求而不是superagent,它可以很好地工作。

以下是superagent无法报告模拟数据的简单示例:

var agent = require('superagent');
var nock = require('nock');

nock('http://thefabric.com')
  .get('/testapi.html')
  .reply(200, {yes: 'it works !'});

agent
  .get('http://thefabric.com/testapi.html')
  .end(function(res){
    console.log(res.text);
  });

res对象没有'text'属性。出了点问题。

现在,如果我使用请求做同样的事情:

var request = require('request');
var nock = require('nock');

nock('http://thefabric.com')
  .get('/testapi.html')
  .reply(200, {yes: 'it works !'});

request('http://thefabric.com/testapi.html', function (error, response, body) {
  if (!error && response.statusCode == 200) {
    console.log(body)
  }
})

模拟的内容显示正确。

我们在测试中使用了superagent,所以我宁愿坚持下去。有谁知道如何让它发挥作用?

非常感谢, 泽维尔

1 个答案:

答案 0 :(得分:13)

我的推测是,Nock正在使用application/json作为mime类型进行回复,因为您正在使用{yes: 'it works'}进行回复。看看Superagent中的res.body。如果这不起作用,请告诉我,我会仔细看看。

修改

试试这个:

var agent = require('superagent');
var nock = require('nock');

nock('http://localhost')
.get('/testapi.html')
.reply(200, {yes: 'it works !'}, {'Content-Type': 'application/json'}); //<-- notice the mime type?

agent
.get('http://localhost/testapi.html')
.end(function(res){
  console.log(res.text) //can use res.body if you wish
});

...或

var agent = require('superagent');
var nock = require('nock');

nock('http://localhost')
.get('/testapi.html')
.reply(200, {yes: 'it works !'});

agent
.get('http://localhost/testapi.html')
.buffer() //<--- notice the buffering call?
.end(function(res){
  console.log(res.text)
});

现在都可以使用。这是我相信的。 nock没有设置mime类型,并且假定默认值。我假设默认值为application/octet-stream。如果是这种情况,则superagent不会缓冲响应以节省内存。你必须强迫它缓冲它。这就是为什么如果你指定一个mime类型,你的HTTP服务应该是什么,superagent知道如何处理application/json以及为什么你可以使用res.textres.body(解析的JSON)。