Skip to content Skip to sidebar Skip to footer

Meteor: Save Regexp Object To Session

I'm trying to save a regular expression as RegExp Object in a Meteor Session for a MongoDB query, but after Session.get() the RegExp object is just a empty object. js if (Meteor.is

Solution 1:

You need to save the regex source instead:

var regex = newRegExp('test');
Session.set('regex', regex.source);

...

var restoredRegex = newRegExp(Session.get('regex'));
console.log(restoredRegex);

See: http://meteorpad.com/pad/KJHJtQPEapPhceXkx

Solution 2:

There's a handy way to teach EJSON how to serialize/parse Regular Expressions (RegExp) documented in this SO question:

How to extend EJSON to serialize RegEx for Meteor Client-Server interactions?

Basically, we can extend the RegExp object class and use EJSON.addType to teach the serialization to both client and server. The options are enough of a critical piece of Regular Expressions that you should have the ability to store those too anywhere you want in perfectly valid JSON!

Hope this helps someone out there in the Universe. :)

Solution 3:

Session package uses ReactiveDict under the hood.

ReactiveDict serializes value passed to Sessions.set(key, value):

// https://github.com/meteor/meteor/blob/devel/packages/reactive-dict/reactive-dict.js// line 3-7:var stringify = function (value) {
  if (value === undefined)
    return'undefined';
  returnEJSON.stringify(value);
};

Session.get(key) deserializes it with EJSON.parse:

// https://github.com/meteor/meteor/blob/devel/packages/reactive-dict/reactive-dict.js// line 8-12:var parse = function (serialized) {
  if (serialized === undefined || serialized === 'undefined')
    returnundefined;
  returnEJSON.parse(serialized);
};

It means Session doesn't support RegExp out of the box.

The solution for your issue is to create custom reactive data source, which will work similar to Session but will not serialize/deserialize value object.

Take a look here:

Post a Comment for "Meteor: Save Regexp Object To Session"