ディレクトリからイメージを読み取り、index.htmlに送信するためのコードがあります。
私はfs.readFileをfs.createReadStreamに置き換えようとしていますが、良い例を見つけることができないので、これを実装する方法がわかりません。
ここに私が得たもの(index.js)
var app = require('express')();
var http = require('http').Server(app);
var io = require('socket.io')(http);
var fs = require('fs');
http.listen(3000, function () {
console.log('listening on *:3000');
});
app.get('/', function (req, res) {
res.sendFile(__dirname + '/public/views/index.html');
});
io.on('connection', function (socket) {
fs.readFile(__dirname + '/public/images/image.png', function (err, buf){
socket.emit('image', { image: true, buffer: buf.toString('base64') });
});
});
index.html
<!DOCTYPE html>
<html>
<body>
<canvas id="canvas" width="200" height="100">
Your browser does not support the HTML5 canvas tag.
</canvas>
<script src="https://cdn.socket.io/socket.io-1.2.0.js"></script>
<script>
var socket = io();
var ctx = document.getElementById('canvas').getContext('2d');
socket.on("image", function (info) {
if (info.image) {
var img = new Image();
img.src = 'data:image/jpeg;base64,' + info.buffer;
ctx.drawImage(img, 0, 0);
}
});
</script>
</body >
</html >
以下のアプローチはコアモジュールのみを使用し、fs.createReadStream()
から返されたstream.Readable
インスタンスからチャンクを読み取り、それらのチャンクをBuffer
として返します。チャンクをストリームバックしない場合、これはそれほど優れたアプローチではありません。メモリ内にあるBuffer
内にファイルを保持するので、適切なサイズのファイルに適した唯一のソリューションです。
io.on('connection', function (socket) {
fileToBuffer(__dirname + '/public/images/image.png', (err, imageBuffer) => {
if (err) {
socket.emit('error', err)
} else {
socket.emit('image', { image: true, buffer: imageBuffer.toString('base64') });
}
});
});
const fileToBuffer = (filename, cb) => {
let readStream = fs.createReadStream(filename);
let chunks = [];
// Handle any errors while reading
readStream.on('error', err => {
// handle error
// File could not be read
return cb(err);
});
// Listen for data
readStream.on('data', chunk => {
chunks.Push(chunk);
});
// File is done being read
readStream.on('close', () => {
// Create a buffer of the image from the stream
return cb(null, Buffer.concat(chunks));
});
}
プロトコルに組み込まれているので、ストリーミングデータにHTTP
を使用することはほぼ常に良い考えです。ファイルストリームをpipe()
できるので、一度にメモリにデータをロードする必要はありません。応答に直接。
これは、付加機能のない非常に基本的な例であり、stream.Readable
をhttp.ServerResponse
にpipe()
する方法を示すだけです。この例ではExpressを使用していますが、Node.js Core APIのhttp
またはhttps
を使用してもまったく同じように機能します。
const express = require('express');
const fs = require('fs');
const server = express();
const port = process.env.PORT || 1337;
server.get ('/image', (req, res) => {
let readStream = fs.createReadStream(__dirname + '/public/images/image.png')
// When the stream is done being read, end the response
readStream.on('close', () => {
res.end()
})
// Stream chunks to response
readStream.pipe(res)
});
server.listen(port, () => {
console.log(`Listening on ${port}`);
});