我正在node.js中构建一个应用程序。
我编写了一个中间件函数钩子,只要有人在我的应用程序上发出GET请求就会执行,例如,如果他们转到主页,配置文件页面等等。钩子从另一个API发出HTTP请求来收集数据。
我的问题是如何在客户端访问该数据?这是我的中间件钩子:
var request = require('request');
module.exports = {
authentication: function (req, res, next) {
if (req.method === 'GET') {
console.log('This is a GET request');
request("http://localhost:3000/api/employee", function(err, res, body) {
console.log(res.body);
});
}
next();
}
};
它用于我的所有路线:
app.use(middleware.authentication)
示例路线:
router.get('/', function(req, res, next) {
res.render('../views/home');
});
注意我使用了console.log(res.body)
,但我想在CLIENT端打印它的内容。有谁知道如何做到这一点?
答案 0 :(得分:4)
您可以在req
和res
个对象中设置自定义变量。就像下面的代码一样,它将存储在req.my_data
上。在您的路线中稍后,您可以再次从req
检索它。
并且,您需要在获得数据后调用next()
,否则代码会在您从request
获取数据之前继续。
var request = require('request');
module.exports = {
authentication: function (req, res, next) {
if (req.method === 'GET') {
console.log('This is a GET request');
request("http://localhost:3000/api/employee", function(err, request_res, body) {
req.my_data = request_res.body;
next();
});
}
}
};
在您的路线中,通过将数据传递到模板引擎,您可以在客户端进行访问。根据您的模板引擎(ejs
,jade
等...),语法会有所不同。
router.get('/', function(req, res, next) {
res.render('../views/home', {data: req.my_data});
});