1

我有一个从 API 获取 pdf 并提供该 pdf 的节点服务。

当我卷曲或直接打开 API 时,我确实看到了正确的 pdf。

但是当我从我的 Node 应用程序中提供它时,我得到一个空的 pdf。

这是我的代码中执行 pdf 渲染的部分。

} else if (options.type === 'pdf') {
  res.writeHead(200, {'content-type' : 'application/pdf', 'content-disposition': 'attachment; filename=invoice.pdf'});
  res.end(data.invoice);

我已经 console.log'ed data.invoice 知道这是正确的东西。

typeof(data.invoice) 给出字符串;但我也尝试过 res.end(new Buffer(data.invoice)); 这也不起作用。

这是我获取数据的代码部分

var http_options = {
  method : options.method
, host : Config.API.host
, path : options.path
, port : Config.API.port
, headers : options.headers
};

var req = http.request(http_options, function (response) {
  var raw_response = "";

  response.on('data', function (response_data) {
    raw_response += response_data.toString();
  });

  response.on('end', function () {
    if (response.statusCode !== 200) {
      cb(raw_response);
    } else {
      cb(false, raw_response);
    }
  });
});

req.setTimeout(timeout, function () {
  req.abort();
  cb("API connection timed out");
});

req.on('error', function (error) {
  cb("API error while requesting for " + options.path + '\n' + error + '\n' + "http   options: " + JSON.stringify(http_options)
});

req.end();
4

2 回答 2

2

toString()当您收到 PDF 时,和连接很可能会损坏它。尝试写入raw_response文件(您可以使用writeFileSync(),因为这只是一次测试)并与使用 curl 检索到的相同 PDF 进行逐字节比较。

请注意,如果字符串转换过程损坏了它,那么在发送之前尝试将其转换回缓冲区将无济于事。您必须从头到尾将整个事情作为缓冲区。

于 2012-08-31T02:26:19.143 回答
1

由于您不打算在传输过程中修改或读取此数据,因此我建议仅使用pipe函数将所有从responseout 传入的数据传输到req. 这个问题有一个很好的样本,但这里有一个摘录。

req.on('response', function (proxy_response) {
    proxy_response.pipe(response);
    response.writeHead(proxy_response.statusCode, proxy_response.headers);
});

请注意,没有理由将来自 Buffers 响应的块转换为其他内容,只需将它们作为未修改的缓冲区写入,然后流式传输它们(这是管道将为您做的)而不是累积它们以获得最大效率(和 node.js 流式传输时髦点)。

于 2012-08-31T05:09:15.537 回答