tomasso
tomasso

Reputation: 103

sails.js the return object from service is undefined when using a find query

I created a service called AppService. Its function getUserPostionOptions is supposed to return an object:

getUserPostionOptions: function (user) {
   // PositionOptions.findOne({id:'53f218deed17760200778cfe'}).exec(function (err, positionOptions) {
        var positionDirectionsOptions = [1,2,3];
        var positionLengthsOptions = [4,5,6];
        var object = {
            directions:positionDirectionsOptions, 
            lengths:positionLengthsOptions
        };   
        return object;
  // });
}

This works, in my controller positionOptions gets populated correctly:

var positionOptions = AppService.getUserPostionOptions(user);

However, when I uncomment the find query the item is found but the object returns undefined.

Thank in advance for your help

Upvotes: 3

Views: 1869

Answers (1)

haotang
haotang

Reputation: 5708

SailsJs ORM (and almost NodeJs database querying methods) uses non-blocking mechanism via callback function. So you have to change your code into:

getUserPostionOptions: function (user, callback) {
  PositionOptions.findOne({id:'53f218deed17760200778cfe'}).exec(function (err, positionOptions) {
    var positionDirectionsOptions = [1,2,3];
    var positionLengthsOptions = [4,5,6];
    var object = {
        directions:positionDirectionsOptions, 
        lengths:positionLengthsOptions
    };   
    callback(null, object); // null indicates that your method has no error
  });
}

Then just use it:

AppService.getUserPostionOptions(user, function(err, options) {
  if (!err) {
    sails.log.info("Here is your received data:");
    sails.log.info(options);
  }
});

Upvotes: 5

Related Questions