45

How to send JavaScript Object with Socket.io from server to client? I'm using Socket.io as WebSocket(sending with .send() and listen with message event). When I'm trying to do something like on server-side:

var myObject = {
    message: 'Hello World!'
}

socket.send(myObject);

on client-side I'm getting only this String: [object Object]

5 Answers 5

70

You actually need to emit an event instead:

 socket.emit('yourEvent', myObject);

If you use .send(), you are simply sending the string representation of your object, which is where the problem is occurring. Note that you can use .send(), but you would have to JSON-encode the object first, and decode it on reception.

Unless you have a specific reason, it's best to use the standard Socket.IO .emit() method, as it does all of this for you. That's what it is there for.

Sign up to request clarification or add additional context in comments.

2 Comments

Thank you. but how to pars JSON in server side and use it?
Thank you again . I have read most of them. But they use the String variable.
11

I just ran into this issue using some older example. Here is the answer I found: Migrating 0.6 to 0.7+, which I reproduce below.


In v0.6, socket.send would automatically convert an object like {a: 'b'} to JSON. You would send data to a client with:

socket.send({a: 'b'});

While this is cool, it poses a fundamental problem. JSON not only encodes objects, but also strings, numbers, etc! So, the API is more clear if you explicitly state you want to pass JSON (since there's a performance penalty associated with encoding/decoding JSON).

In v0.7, use the json flag:

socket.json.send({a: 'b'});

Now you can also emit and receive custom events between the browser and server:

socket.emit('my_event', {a: 'b'});

Arguments for events get encoded in JSON automatically for you.

Comments

9

socket.send() doesn't understand object but it enjoys with JSON. You can use this way:

socket.send(JSON.stringify(myObject));

And use JSON.parse(json) to parse JSON to Object.

Comments

5

Try using this on your server-side

socket.json.send({ your : 'data' });

and the JSON.parse() method on your client-side.

1 Comment

Works like a charm for me when sending to my Android-client, cheers!
4

In socket.io V4.x, there is no need to use JSON.stringify():

There is no need to run JSON.stringify() on objects as it will be done for you.

e.g.

// BAD
socket.emit("hello", JSON.stringify({ name: "John" }));

// GOOD
socket.emit("hello", { name: "John" });

more info on this link.

Comments

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.