我创建了一个简单的模块,将一些数据发布到外部服务,该服务返回消息和其他一些结果。
我试图用Mocha测试这个,但我发现很难理解如何访问返回的值。
我可以看到它在控制台中登录但不知道如何将其设置为变量。你不会怀疑,我是一个新手javacripter。我确信这很简单,我只是看不出来。
我的模块:
module.exports = {
foo: function(id,serial) {
var querystring = require('querystring');
var http = require('http');
var fs = require('fs');
var post_data = querystring.stringify({
'serial' : serial,
'id': id
});
var post_options = {
host: 'localhost',
port: '8080',
path: '/api/v1/status',
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded',
'Content-Length': post_data.length
}
};
var post_req = http.request(post_options, function(res) {
res.setEncoding('utf8');
res.on('data', function (chunk) {
console.log(chunk);
return chunk;
});
});
post_req.write(post_data);
post_req.end();
}
}
我用这个叫做:
describe('Functions and modules', function() {
it('does some shizzle', function(done) {
var tools = require('../tools');
chunk = '';
id = 123;
serial =456;
tools.foo(id,serial);
chunk.should.equal.......
});
});
我基本上需要来自tools.foo(id,serial)的返回消息但是块空白而不是空白。
在我的终端中我可以看到类似的内容:
{"message":"This device is still in use","live":"nop"}
答案 0 :(得分:1)
您无法像在其他语言中那样访问“返回”值。节点中的Http请求是异步的,不返回它们的值。相反,您传入回调函数,或在同一请求的范围内创建回调函数。例如,您可以像这样完成您的功能:(我删除了一些填充物)
module.exports = {
foo: function (options, data, callback) {
'use strict';
var completeData = '';
var post_req = http.request(options, function (res) {
res.setEncoding('utf8');
res.on('data', function (chunk) {
console.log(chunk);
completeData += chunk;
return chunk;
});
res.on('end', function () {
callback(completeData);
//You can't return the data, but you can pass foo a callback,
//and call that function with the data you collected
//as the argument.
});
});
post_req.write(data);
post_req.end();
}
};
function someCallBackFunction (data) {
console.log("THE DATA: " + data);
}
var someOptions = "whatever your options are";
var someData = "whatever your data is";
module.exports.foo(someOptions, someData, someCallBackFunction);
如果您定义的函数在同一范围内,您也可以直接在foo的范围内访问someCallBackFunction,但传入回调是更好的样式。