72

Here is the thing - I want to store native JS (node.js) objects (flash sockets references) in redis under a certain key. When I do that with simple client.set() it's stored as a string. When I try to get value I get [object Object] - just a string.

Any chance to get this working? Here's my code:

  addSocket : function(sid, socket) {
    client.set(sid, socket);
  },

  getSocket : function(sid) {
    client.get(sid, function(err, reply) {
      // cant't get an object here. All I get is useless string
    });
  },
Pono
  • 11,298
  • 9
  • 53
  • 70
  • you cant store references to javascript in some form of database because the objects dissappear when the server goes down – Raynos Jan 01 '12 at 19:09

9 Answers9

159

Since the socket is of type Object, you need to convert the object to a string before storing and when retrieving the socket, need to convert it back to an object.

You can use

JSON.stringify(socket) 

to convert to a string and

JSON.parse(socketstr) 

to convert back to an object.

Edit:

Since the release of version 2.0.0, we are able to store objects as hashes into Redis.

client.hmset("hosts", "mjr", "1", "another", "23", "home", "1234");

client.hgetall("hosts", function (err, obj) {
    console.dir(obj);
});

https://redis.io/commands/hset

https://github.com/NodeRedis/node_redis

Shawn Janas
  • 2,693
  • 2
  • 14
  • 10
  • 20
    Now that's an answer! You can't do something is never an answer. tnx Shawn. – Maziyar Sep 11 '14 at 12:14
  • 3
    Does it work with _sockets_, though? Can you deserialize a socket on another machine (or even the same one) and start, say, pushing data into it? – Sergio Tulentsev Oct 25 '16 at 13:14
  • 1
    @moeiscool there are many answers on SO that should be accepted answers but question OPs do not always care about it and they do not change accepted answers ever. There should be moderator privilege to change accepted answers. – Kunok May 14 '17 at 22:50
  • 1
    A caveat about the edit, you can store multiple key-value pairs in the hash, but each of these keys and values are still strings. As such, arbitrary JS objects that contain non-string values still cannot be stored as-is, so stringifying them into JSON may still be the preferable choice. – Abion47 May 17 '20 at 23:00
60

Downvoters: the context here is SET command and ability to store arbitrary objects.

No, you can't do that. You should accept the fact that Redis stores everything as a string (the protocol is text-based, after all). Redis may perform some optimizations and convert some values to integers, but that's its business, not yours.

If you want to store arbitrary objects in Redis, make sure that you serialize them before saving and de-serialize after retrieving.

I'm not sure if you can do that with socket objects, though. They simply describe a system resource (an open connection), after all (TCP sockets, for example). If you manage to serialize the description and deserialize it on another machine, that other machine won't have the connection.

Sergio Tulentsev
  • 226,338
  • 43
  • 373
  • 367
  • 6
    Not sure how it was back in 2012, but at least now in 2016 Redis **does** store arbitrary objects, it does **not** store everything as a string. You just need to use different commands/methods to use that functionality. See Jason Loveman's answer for a better solution: http://stackoverflow.com/a/21490063/130691 – JMTyler Feb 26 '16 at 20:26
  • 4
    @JMTyler: links to the docs? Redis does not store __arbitrary__ objects. Just a few pre-determined types (string, hash, list, etc.). And if you store something via `SET` command, it'll be stored as a string. No way around this. – Sergio Tulentsev Feb 26 '16 at 21:03
  • Yes, SET stores as a string, but that is obviously not the only command Redis has. You can't claim that how SET works is how all of Redis works. `hash` **is** another word for object depending on what language/platform you're using, so I don't see what your argument is. The fact that you mention hashes means you obviously know that you can store more complex data than just strings. – JMTyler Feb 27 '16 at 18:53
  • 4
    @JMTyler: for starters, clearly the "everything as a string" part is in the context of SET command. Next, redis hash is not an equivalent for JS object, not even close. The only way to store _arbitrary_ things in redis is to serialize and `SET` it (given that the things in question can be serialized/deserialized, of course). – Sergio Tulentsev Feb 27 '16 at 19:35
  • Convert the object to string using `JSON.stringify()` before store it to the cache did the trick for me – alramdein Aug 20 '21 at 09:05
48

The solution below doesn't solve the whole point of using redis -- to share data across cluster instances. Storing an instance-specific id in redis will be meaningless to another instance that tries to use that id.

However, there is "hmset" which can be called with an object and it will set each object field as a separate redis field in the same key. And it will be converted back to an object when you call hgetall. Unfortunately, I don't think it handles nested objects or arrays within an object, only simple properties whose values can be stored by "toString()".

So an object like

client.hmset("myhashkey",{a:1, b:2, c:'xxx'})

works great and can be retrieved with

client.hmget("myhashkey", function(obj) {
   console.log(obj);
});

Not so much for:

client.hmset("myhashkeynested",{a:1, b:2, c:'xxx', d: { d1: 'x', d2: 'y'}});
Jason Loveman
  • 675
  • 6
  • 5
  • 8
    Retrieve by: `client.hgetall("the-key-name", function(err,obj){//...})` , for `hmget` need `field names`. – Andrew_1510 Feb 27 '14 at 08:33
  • This answer needs more upvotes! The accepted answer is false. – JMTyler Feb 26 '16 at 20:23
  • 2
    @JMTyler: this won't help in storing arbitrary js objects (sockets, in this case). – Sergio Tulentsev Feb 26 '16 at 21:06
  • This is **specifically for** storing JS objects. It would successfully store any and all primitive type top-level properties of a socket object, since every object in JS extends the base Object. Worst case, if the socket object is nested, convert it I to a form that is not nested and you can still save it as an Object this way. – JMTyler Feb 27 '16 at 18:50
  • 3
    Sadly `a` and `b` will return as strings when using `hgetall`, which makes this even more awkward. – Danyal Aytekin May 14 '18 at 01:52
7

I also found this to be an incredibly useful tool, especially if you are channeling JSON from an API to your front-end:

node-redis-jsonify

If you're receiving a huge block of JSON and can't store as a specific hash, stringifying it while storing will allow you to retrieve the whole json instead of just "[object Object]".

Zoombear
  • 101
  • 1
  • 5
  • 1
    This package is a long winded way of simply doing JSON.stringify and JSON.parse. Check the source. – Phil Jul 15 '21 at 01:06
3

I belive that when you store the object, internally, before storage object.toString() is called and that is the value that is stored.

({a: 1}).toString() # "[object Object]"

What you need to do is use JSON.encode and JSON.parse.

You cannot store (hidden, binary) references.
Otherwise, you might be able to make a correspondence between integers and sockets, and store integers.

clyfe
  • 23,695
  • 8
  • 85
  • 109
2

We can store object as a string using JSON.stringyfy(obj); and after we could retrieve original object using JSON.parse(obj);

const obj = {
   userId: socket.user._id,
   socketId: socket.id,
};
await client.set("user", JSON.stringify(obj));
const usersData = await client.get("user");
Mr.Developer
  • 489
  • 2
  • 8
  • Please don't post only code as an answer, but also provide an explanation what your code does and how it solves the problem of the question. Answers with an explanation are usually more helpful and of better quality, and are more likely to attract upvotes. – Tyler2P Feb 12 '22 at 14:48
0

You can set a JSON value in redis by using '.' in path param in (json.set and json.get)

example :

await client.json.set(TEST_KEY, '.', { example: 123 });
const value = await client.json.get(TEST_KEY, {
  path: '.',
});
Tyler2P
  • 2,324
  • 26
  • 22
  • 31
-1

well if you think about it javascript objects are keys who's values may reference other objects, and in the case of sockets possibly native objects. So if redis is external to the executing javascript how will it be able to store a reference to to that object?

// a and b exist inside the executing javascript, not in the external O/S
a = {}
b = {}

var obj = {
  'one': a,
  'two': b
}

// how can redis possibly store references to obj, a or b when this application exits?
redis.set('obj', obj)

// same as..
redis.set('obj', obj.toString()) /*or*/ redis.set('obj', "" + obj)

// same as..
redis.set('obj', "[object Object]")


// the trick is to stringify the object
redis.set('obj', JSON.stringify(obj))

// same as..
redis.set('obj', "{'one':{},'two':{}}")

// here redis does not have to store the actual object references but rather a json string representing the object

// this could also work
redis.set('obj', "{'one':a,'two':b}")

// where you would then do:
obj = eval(redis.get('obj')) 
// provided that a and b have already been initialized
Nick Sotiros
  • 2,194
  • 1
  • 22
  • 18
-5

You can save a reference to the JavaScript object, using a technique like this. Basically, it extends Object.prototype (doesn't have to) and you can call radd() to add a custom reference to rhash{}, then retrieve the object with rget(). The "reference" is a string so it will fit right into Redis. This means you won't have to .stringify() and .parse() to put/get a copy in the database. However, the object's data will be destroyed when Node shuts down unless its serialized.

var OBJECT = Object.prototype;
OBJECT.rhash = {};
OBJECT.rset = function(id, object) {
  OBJECT.rhash[id] = object;
  return id;
};
OBJECT.rget = function(id) {
  return OBJECT.rhash[id];
};

var dog = {
  name: "Skippy",
  food: "Bacon",
  bark: function() {
    alert(this.name + "!");
  }
};

var id = OBJECT.rset("a123", dog);
var ref = OBJECT.rget("a123");
ref.bark();
Shane
  • 94
  • 4