I wrote JavaScript like this:
var keys=null;
var promise=Promise.promisify(alchemyapi.keywords("url",myUrl,{},function(response) {
var keywords = { url:myUrl, response:JSON.stringify(response,null,4), results:response['keywords'] };
return keywords;
}));
promise.then(
(result)=>{
var keys=result;
console.log(keys);
},
(error)=>console.log(error)
);
I'm using AlchemyAPI and trying to store data I got into my database How should I do?
I wrote JavaScript like this:
var keys=null;
var promise=Promise.promisify(alchemyapi.keywords("url",myUrl,{},function(response) {
var keywords = { url:myUrl, response:JSON.stringify(response,null,4), results:response['keywords'] };
return keywords;
}));
promise.then(
(result)=>{
var keys=result;
console.log(keys);
},
(error)=>console.log(error)
);
I'm using AlchemyAPI and trying to store data I got into my database How should I do?
Share Improve this question asked Feb 27, 2016 at 19:21 necrofacenecroface 3,46513 gold badges48 silver badges71 bronze badges 2-
2
Unless you're using a Promise library, like Bluebird, there is no
Promise.promisify
? – adeneo Commented Feb 27, 2016 at 19:25 -
Are you using Bluebird? And
Promise.promisify
does take a function as its argument and returns another function. You shouldn't pass it the result of a call, especially if it returns nothing. – Bergi Commented Feb 28, 2016 at 13:59
2 Answers
Reset to default 4You should be able to use Promise
to return expected results by removing .promisify
which is not a built-in Promise
method ; substituting passing keywords
to resolve
within Promise
constructor for return
var keys = null
, promise = new Promise(function(resolve) {
alchemyapi.keywords("url", myUrl, {}, function(response) {
var keywords = {url: myUrl
, response: JSON.stringify(response,null,4)
, results:response['keywords']
};
resolve(keywords);
// error handling ?
})
}).then(function(result) {
keys = result;
console.log(keys)
}, function(err) {
console.log(err)
})
For a more general Promise.promisify
function without Bluebird, I ended up writing this:
function promisify(func) {
return function promiseFunc(options) {
return new Promise(function executor(resolve, reject) {
func(options, function cb(err, val) {
if (err) {
return reject(err);
} else {
return resolve(val);
}
});
});
}
}
Hopefully someone else finds this helpful, but in most cases it's probably worth importing Bluebird.