Resolve promises one after another (i.e. in sequence)? Resolve promises one after another (i.e. in sequence)? javascript javascript

Resolve promises one after another (i.e. in sequence)?


Update 2017: I would use an async function if the environment supports it:

async function readFiles(files) {  for(const file of files) {    await readFile(file);  }};

If you'd like, you can defer reading the files until you need them using an async generator (if your environment supports it):

async function* readFiles(files) {  for(const file of files) {    yield await readFile(file);  }};

Update: In second thought - I might use a for loop instead:

var readFiles = function(files) {  var p = Promise.resolve(); // Q() in q  files.forEach(file =>      p = p.then(() => readFile(file));   );  return p;};

Or more compactly, with reduce:

var readFiles = function(files) {  return files.reduce((p, file) => {     return p.then(() => readFile(file));  }, Promise.resolve()); // initial};

In other promise libraries (like when and Bluebird) you have utility methods for this.

For example, Bluebird would be:

var Promise = require("bluebird");var fs = Promise.promisifyAll(require("fs"));var readAll = Promise.resolve(files).map(fs.readFileAsync,{concurrency: 1 });// if the order matters, you can use Promise.each instead and omit concurrency paramreadAll.then(function(allFileContents){    // do stuff to read files.});

Although there is really no reason not to use async await today.


Here is how I prefer to run tasks in series.

function runSerial() {    var that = this;    // task1 is a function that returns a promise (and immediately starts executing)    // task2 is a function that returns a promise (and immediately starts executing)    return Promise.resolve()        .then(function() {            return that.task1();        })        .then(function() {            return that.task2();        })        .then(function() {            console.log(" ---- done ----");        });}

What about cases with more tasks? Like, 10?

function runSerial(tasks) {  var result = Promise.resolve();  tasks.forEach(task => {    result = result.then(() => task());  });  return result;}


This question is old, but we live in a world of ES6 and functional JavaScript, so let's see how we can improve.

Because promises execute immediately, we can't just create an array of promises, they would all fire off in parallel.

Instead, we need to create an array of functions that returns a promise. Each function will then be executed sequentially, which then starts the promise inside.

We can solve this a few ways, but my favorite way is to use reduce.

It gets a little tricky using reduce in combination with promises, so I have broken down the one liner into some smaller digestible bites below.

The essence of this function is to use reduce starting with an initial value of Promise.resolve([]), or a promise containing an empty array.

This promise will then be passed into the reduce method as promise. This is the key to chaining each promise together sequentially. The next promise to execute is func and when the then fires, the results are concatenated and that promise is then returned, executing the reduce cycle with the next promise function.

Once all promises have executed, the returned promise will contain an array of all the results of each promise.

ES6 Example (one liner)

/* * serial executes Promises sequentially. * @param {funcs} An array of funcs that return promises. * @example * const urls = ['/url1', '/url2', '/url3'] * serial(urls.map(url => () => $.ajax(url))) *     .then(console.log.bind(console)) */const serial = funcs =>    funcs.reduce((promise, func) =>        promise.then(result => func().then(Array.prototype.concat.bind(result))), Promise.resolve([]))

ES6 Example (broken down)

// broken down to for easier understandingconst concat = list => Array.prototype.concat.bind(list)const promiseConcat = f => x => f().then(concat(x))const promiseReduce = (acc, x) => acc.then(promiseConcat(x))/* * serial executes Promises sequentially. * @param {funcs} An array of funcs that return promises. * @example * const urls = ['/url1', '/url2', '/url3'] * serial(urls.map(url => () => $.ajax(url))) *     .then(console.log.bind(console)) */const serial = funcs => funcs.reduce(promiseReduce, Promise.resolve([]))

Usage:

// first take your workconst urls = ['/url1', '/url2', '/url3', '/url4']// next convert each item to a function that returns a promiseconst funcs = urls.map(url => () => $.ajax(url))// execute them seriallyserial(funcs)    .then(console.log.bind(console))