使用Koa2,我不确定如何将数据写入响应流,因此在Express中,它类似于:
res.write('some string');
我知道我可以为ctx.body
分配一个流,但是我对node.js流不是很熟悉,所以不知道如何创建该流。
答案 0 :(得分:3)
koa文档允许您将流分配给响应:(来自https://koajs.com/#response)
ctx.response.body =
将响应主体设置为以下之一:
ctx.body
只是ctx.response.body
所以这是一些使用示例(加上标准的koa主体分配)
通过 -本地主机:8080 / stream ...将以数据流响应 -本地主机:8080 / file ...将以文件流响应 -本地主机:8080 / ...仅发送回标准正文
'use strict';
const koa = require('koa');
const fs = require('fs');
const app = new koa();
const readable = require('stream').Readable
const s = new readable;
// response
app.use(ctx => {
if (ctx.request.url === '/stream') {
// stream data
s.push('STREAM: Hello, World!');
s.push(null); // indicates end of the stream
ctx.body = s;
} else if (ctx.request.url === '/file') {
// stream file
const src = fs.createReadStream('./big.file');
ctx.response.set("content-type", "txt/html");
ctx.body = src;
} else {
// normal KOA response
ctx.body = 'BODY: Hello, World!' ;
}
});
app.listen(8080);