我有一个外部网络服务,它返回图像。
我有节点快速路由,它调用外部Web服务。
我正在努力将外部Web服务的返回对象(即图像)作为快速路由的返回对象传递
这是这个例子,我试图从外部URL获取图像并按原样传递它...它不起作用,有人可以帮我知道这样做吗?
exports.getImage = function (req, res) {
var http = require('http');
var options = {
host: 'http://www.gettyimages.co.uk',
path: '/CMS/StaticContent/1391099215267_hero2.jpg',
method: 'GET',
headers: {
"content-type": "image/jpeg"
}
};
var request = http.request(options, function(response) {
var imagedata = '';
response.setEncoding('binary');
response.on('data', function(chunk){
imagedata += chunk
});
response.on('end', function() {
console.log('imagedata: ', imagedata);
res.writeHead(200, {'Content-Type': 'image/jpeg' });
res.send(imagedata);
});
}).on("error", function(e) {
console.log("Got error: " + e.message, e);
});
request.end();
};
答案 0 :(得分:2)
现有代码的问题是res.send()
在传递字符串时默认为非二进制编码,因此您的数据最终会因此而受到损坏。
其次,您最好只是流式传输数据,这样您每次都不会在内存中缓冲整个图像。例如:
var request = http.get(options, function(response) {
res.writeHead(response.statusCode, {
'Content-Type': response.headers['content-type']
});
response.pipe(res);
}).on("error", function(e) {
console.log("Got error: " + e.message, e);
});
最后,host
值是错误的,它应该只是主机名(没有方案):www.gettyimages.co.uk
。此外,在请求"content-type": "image/jpeg"
中设置headers
并不合理(并且可以删除),因为您未在请求中发送jpeg图片。