问题:我收到了一个传入的HTTP请求到我的服务器应用程序。请求是这样的:http://example.com?id=abc。我需要解析此请求,修补其他URL参数并调用托管的html文件。所以:
http://example.com?id=abc => http://example.com:8080/temp.html?id=abc&name=cdf
因此客户应该看到temp.html
以下是代码:
function onRequest(request,response) {
if(request.method =='GET') {
sys.debug("in get");
var pathName = url.parse(request.url).pathname;
sys.debug("Get PathName" + pathName + ":" + request.url);
var myidArr = request.url.split("=");
var myid = myidArr[1];
//Call the redirect function
redirectUrl(myid);
}
http.createServer(onRequest).listen(8888);
function redirectUrl(myid) {
var temp='';
var options = {
host: 'localhost',
port: 8080,
path: '/temp.html?id=' + myid + '&name=cdf',
method: 'GET'
};
var req = http.request(options, function(res) {
console.log('STATUS: ' + res.statusCode);
console.log('HEADERS: ' + JSON.stringify(res.headers));
res.setEncoding('utf8');
res.on('data', function (chunk) {
temp = temp.concat(chunk);
});
res.on('end', function(){
return temp;
});
});
req.end();
return temp;
}
尽管这是解决此问题的一种非常愚蠢的方法,但我确实在res.end()回调中看到了响应。如何将它传播到父调用函数onRequest?
使用节点是否有更简单的方法?我知道有办法提供静态html文件。但是,我需要将URL参数传递给temp.html - 所以我不知道如何做到这一点。
答案 0 :(得分:12)
只是想知道更简单的重定向是否能达到目的:
function onRequest(request,response) {
if(request.method =='GET') {
sys.debug("in get");
var pathName = url.parse(request.url).pathname;
sys.debug("Get PathName" + pathName + ":" + request.url);
var myidArr = request.url.split("=");
var myid = myidArr[1];
var path = 'http://localhost:8080/temp.html?id=' + myid + '&name=cdf';
response.writeHead(302, {'Location': path});
response.end();
}
答案 1 :(得分:4)
这是进入异步世界时的经典错误。您没有return
文件的值,您将回调作为参数传递并使用结束值执行它,如下所示:
function proxyUrl(id, cb) {
http.request(options, function(res) {
// do stuff
res.on('data', function (chunk) {
temp = temp.concat(chunk);
});
res.on('end', function(){
// instead of return you are using a callback function
cb(temp);
});
}
function onRequest(req, res) {
// do stuff
proxyUrl(id, function(htmlContent) {
// you can write the htmlContent using req.end here
});
}
http.createServer(onRequest).listen(8888);
答案 2 :(得分:0)
您必须将原始response
传递给redirectUrl
函数,然后让它写入响应。类似的东西:
function redirectUrl(myid, response) {
var options = {
host: 'localhost',
port: 8080,
path: '/temp.html?id=' + myid + '&name=cdf',
method: 'GET'
};
var req = http.request(options, function(res) {
console.log('STATUS: ' + res.statusCode);
console.log('HEADERS: ' + JSON.stringify(res.headers));
res.setEncoding('utf8');
// Proxy the headers
response.writeHead(res.statusCode, res.headers);
// Proxy the response
res.on('data', function (chunk) {
response.write(chunk);
});
res.on('end', function(){
response.end();
});
});
req.end();
}
致电:
redirectUrl(myid, response);
此外,由于您已经在解析网址,为什么不这样做:
var parsedUrl = url.parse(request.url, true);
sys.debug("Get PathName" + parsedUrl.pathname + ":" + request.url);
//Call the redirect function
redirectUrl(parsedUrl.query.id, response);