通过HTTP方法在Express应用程序中发送两个独立的MongoDB结果的最佳做法是什么?
以下是一个简短的例子:
//app.js
var express = require('express');
var app = express();
var testController = require('./controllers/test');
app.get('/test', testController.getCounts);
...
以下getCounts()函数无效,因为我无法两次发送响应。
///controllers/test
exports.getCounts = function(req,res) {
Object1.count({},function(err,count){
res.send({count:count});
});
Object2.count({},function(err,count){
res.send({count:count});
});
};
无论如何,我想在一个响应对象中包含这两个计数。
我应该在Object1的回调中调用Object2.count,即使它们不相互依赖吗?
或者我应该以其他方式重新设计它?
谢谢!
答案 0 :(得分:1)
您应该使用Promise来完成这项任务:
function getCount(obj) {
return new Promise(function (resolve, reject) {
obj.count({}, function(err,count) {
if(err) reject();
else resolve(count);
});
});
}
使用Promise.all
,您可以触发两个请求并检索结果,以便将其添加到回复中
exports.getCounts = function(req,res) {
Promise.all([getCount(Object1), getCount(Object2)])
.then(function success(result) {
res.send({'count1':result[0], 'count2':result[1]});
});
});
答案 1 :(得分:0)
当您致电res.send
时,您将结束对该请求的回复。您可以改为使用res.write
,它会向客户端发送一个块,完成后调用res.end
;
示例:
app.get('/endpoint', function(req, res) {
res.write('Hello');
res.write('World');
res.end();
});
然而,似乎你正在尝试将json发送回客户端,这会引起提问和问题:单独写入对象将不是有效的json。
示例:
app.get('/endpoint', function(req, res) {
res.write({foo:'bar'});
res.write({hello:'world'});
res.end();
});
响应正文现在是:{foo:'bar'}{hello:'world'}
,这是无效的json。
两个数据库查询之间也存在竞争条件,这意味着您不确定响应中数据的顺序。
建议:
exports.getCounts = function(req,res) {
var output = {};
Object1.count({},function(err,count){
output.count1 = count;
Object2.count({},function(err,count){
output.count2 = count;
res.send(output);
});
});
};
//Response body
{
count1: [value],
count2: [value]
}