Reputation: 1389
I have a node application that use some async functions.
How can i do for waiting the asynchronous function to complete before proceeding with the rest of the application flow?
Below there is a simple example.
var a = 0;
var b = 1;
a = a + b;
// this async function requires at least 30 sec
myAsyncFunction({}, function(data, err) {
a = 5;
});
// TODO wait for async function
console.log(a); // it must be 5 and not 1
return a;
In the example, the element "a
" to return must be 5 and not 1. It is equal to 1 if the application does not wait the async function.
Thanks
Upvotes: 40
Views: 89773
Reputation: 3766
function operation(callback) {
var a = 0;
var b = 1;
a = a + b;
a = 5;
// may be a heavy db call or http request?
// do not return any data, use callback mechanism
callback(a)
}
operation(function(a /* a is passed using callback */) {
console.log(a); // a is 5
})
async function operation() {
return new Promise(function(resolve, reject) {
var a = 0;
var b = 1;
a = a + b;
a = 5;
// may be a heavy db call or http request?
resolve(a) // successfully fill promise
})
}
async function app() {
var a = await operation() // a is 5
}
app()
Upvotes: 65