Bluebird Promise Resolve(data) Is Undefined In Client Code
Hiyas. I have a simple app whereby a client is expecting a promise as a result, but upon calling the resolve() method, the promise keeps returning undefined as the result. The clie
Solution 1:
Resolve/Reject both accept a single parameter ... hence why your result is undefined, as the second value you pass to resolve is never used, and the first is null
What you want to do instead is
UsersRepo.findOneAsync({id: id}).then(function(result) {
console.log("UserService promise resolution", result);
}).catch(function(err) {
console.log("UserService promise error", err);
});
findOneAsync: function(args) {
var where = ""; //omittedvar promise = newPromise(function(resolve, reject) {
db.query("Select * from users" + where + " limit 1", function(err, result) {
var res = { id: 1, username: 'username', firstName: 'First', lastName: 'Last' };
if(err != null) {
console.log("REJECT", err);
reject(err);
}
else {
console.log("RESOLVE", res);
resolve(res);
}
});
});
return promise;
}
Solution 2:
Bluebird's then
does not take in an err
. Instead, then takes in two functions, the first being for resolve, and the second for being reject. you can also use catch
for handling errors.
http://bluebirdjs.com/docs/api/then.html
Edit: @JaromandaX is correct, the resolve function should only take in one parameter.
You should only resolve(res)
, in addition to not expecting the error object to get passed into the then
callback.
Post a Comment for "Bluebird Promise Resolve(data) Is Undefined In Client Code"