Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Socket.io began to support binary stream from 1.0, is there a complete example especially for image

I'm a beginner on node.js and socket.io. Socket.io began to support binary stream from 1.0, is there a complete example especially for image push to client and show in canvas? thanks

like image 759
guoleii Avatar asked Jun 08 '14 14:06

guoleii


2 Answers

The solution is a bit complicated but should work in Chrome, Firefox, and IE10+ (not sure about Opera and Safari):

Somewhere on the server-side:

io.on('connection', function(socket){
    fs.readFile('/path/to/image.png', function(err, buffer){
        socket.emit('image', { buffer: buffer });
    });
});

And here is how you handle it on a client:

socket.on('image', function(data) {
    var uint8Arr = new Uint8Array(data.buffer);
    var binary = '';
    for (var i = 0; i < uint8Arr.length; i++) {
        binary += String.fromCharCode(uint8Arr[i]);
    }
    var base64String = window.btoa(binary);

    var img = new Image();
    img.onload = function() {
        var canvas = document.getElementById('yourCanvasId');
        var ctx = canvas.getContext('2d');
        var x = 0, y = 0;
        ctx.drawImage(this, x, y);
    }
    img.src = 'data:image/png;base64,' + base64String;
});

Just replace yourCanvasId with your canvas id :)

like image 76
Oleg Avatar answered Nov 01 '22 01:11

Oleg


thanks, @sovente, in this 1.0 introduction http://socket.io/blog/introducing-socket-io-1-0/ , this is code snippet on binary support.

var fs = require('fs');
var io = require('socket.io')(3000);
io.on('connection', function(socket){
  fs.readFile('image.png', function(err, buf){
    // it's possible to embed binary data
    // within arbitrarily-complex objects
    socket.emit('image', { image: true, buffer: buf });
  });
});

i want to know how to handle the buffer on client side, codes are like:

 socket.on("image", function(image, buffer) {
     if(image)
     {
         console.log(" image: ");
         **// code to handle buffer like drawing with canvas**
     }

 });
like image 1
guoleii Avatar answered Nov 01 '22 02:11

guoleii