79

我用谷歌搜索了这个但找不到答案,但这一定是一个常见问题。这是与Node request (read image stream - pipe back to response)相同的问题,没有答案。

如何将图像文件作为 Express .send() 响应发送?我需要将 RESTful url 映射到图像 - 但是如何发送带有正确标题的二进制文件?例如,

<img src='/report/378334e22/e33423222' />

打电话...

app.get('/report/:chart_id/:user_id', function (req, res) {
     //authenticate user_id, get chart_id obfuscated url
     //send image binary with correct headers
});
4

2 回答 2

109

Express中有一个api。

res.sendFile

app.get('/report/:chart_id/:user_id', function (req, res) {
    // res.sendFile(filepath);
});

http://expressjs.com/en/api.html#res.sendFile

于 2013-07-07T21:49:02.363 回答
16

流和错误处理的适当解决方案如下:

const fs = require('fs')
const stream = require('stream')

app.get('/report/:chart_id/:user_id',(req, res) => {
  const r = fs.createReadStream('path to file') // or any other way to get a readable stream
  const ps = new stream.PassThrough() // <---- this makes a trick with stream error handling
  stream.pipeline(
   r,
   ps, // <---- this makes a trick with stream error handling
   (err) => {
    if (err) {
      console.log(err) // No such file or any other kind of error
      return res.sendStatus(400); 
    }
  })
  ps.pipe(res) // <---- this makes a trick with stream error handling
})

对于 10 岁以上的节点,您将需要使用而不是管道。

于 2019-07-03T15:02:30.863 回答