Skip to content Skip to sidebar Skip to footer

How To Set A Time Limit To Run Asynchronous Function In Node.js?

There is a asynchronous function fun(param, callback) like this: fun(param, function(err){ if(err) console.log(err); doSomething(); }); How do I set a time limit to run th

Solution 1:

Promises are ideal for this kind of behavior you could have something like:

new Promise(function(resolve, reject){
   asyncFn(param, function(err, result){
        if(error){
          return reject(error);
        }
        return resolve(result)
   });

    setTimeout(function(){reject('timeout')},10000)
}).then(doSomething);

this is using the basic ES6 Promise implementation. however if you want to include something like bluebird you can find more powerful tools like promisification of functions or entire modules and promise timeouts.

http://bluebirdjs.com/docs/api/timeout.html

this in my opinion would be the preferred approach. Hope this helps

Solution 2:

The easiest way to do this is to capture the function in a promise.

varPromise = require("bluebird");
var elt = newPromise((resolve, reject) => {
   fun(param, (err) => {
     if (err) reject(err);
     doSomething();
     resolve();
});

elt.timeout(1000).then(() =>console.log('done'))
                 .catch(Promise.TimeoutError, (e) =>console.log("timed out"))

Solution 3:

I have made a module 'intelli-timer'

var timer = require('intelli-timer');

timer.countdown(10000, function(timerCallback){  // time limit is 10 seconddo_something_async(err, function(){
        timerCallback();    // timerCallback() after finish
    });

}, function(err){

    if(err) console.log(err);  // err is null when the task is completed in timeelseconsole.log('success');

});

Post a Comment for "How To Set A Time Limit To Run Asynchronous Function In Node.js?"