npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

promise-stream-queue

v0.4.5

Published

Promise Stream. Queue promises and retrieve the resolved/rejected ones in the inserted order

Downloads

30

Readme

promise-stream-queue

Promise Stream. Queue promises and retrieve the resolved/rejected ones in the inserted order

This module is responsible for serializing promises, but allowing their asynchronous execution. Unlike other queues, where promises are executed serially, one after another, what this module does is insert promises in a queue, in a certain order, allowing its asynchronous execution, but making the output be in the same order in which they were inserted. As soon as the promise in the head of the queue is resolved, it is released, moving on to the next.

In case of promises never resolved/rejected, the stream allows an execution timeout that releases the promise from the queue.

This modules is compatible with any A+ Promises module.

Installation

npm install promise-stream-queue

Usage

Supose we execute 10 asynchronous tasks:

var arr = [1,2,3,4,5,6,7,8,9,10];
var promises = arr.map(i=>{
	return new Promise((resolve,reject)=>{
		setTimeout(()=>{
			resolve("Promise => "+i);
		},Math.floor(Math.random(1000)));
	});
});

The above code creates 10 promises that are resolved at a random timeout of 1 second.

Then, we could wait for them to be resolved with Promise.all, an then iterate the results in the same order of the "promises" array

Promise.all(promises).then(results=>{
	results.forEach(res=>console.log(res));
});

That's OK, but we had to wait for all the promises to be resolved. What if we need to iterate for the results as soon as the are available?

We could just simply get the head element of the array and wait for its resolution, an then move to the next.

function iterate() {
	var promise = promises.shift();
	promise.then(res=>{
		// Process response
		doSomething(res);
		// Move to next
		iterate();
	})
}

Here, the problem is that the array of promises is fixed, and we can't take into acount problems as promises never resolved/reject, etc.. What whe want is a continuous stream where promises are pushed, and then retrieved the results in the same order they where inserted.

const Stream = require("promise-stream-queue");

// Creates the stream with max execution of 5 secs per promise
var stream = new Stream(5000);	// Execution timeout of 5000 ms
var i = 0;

setInterval(()=>{
	stream.push(new Promise((resolve,reject)=>{
		var randomTimeout = Math.floor(Math.random()*1000);
		setTimeout(()=>resolve("Promise => "+i),randomTimeout);
	}));
});

stream.forEach((err,res,ex)=>{
	console.log(res);
});

Now, the stream.forEach method will, asynchronously iterate an stream of ordered promises. The iteration never ends as long as promises are being pushed to the stream.

API

new Stream(timeout)

Creates a new stream with a max execution of timeout millisecons per promise. If a promise fails to be resolved/reject after this timeout, it is discarded and rejected with a timeout error.

stream.push(promise)

Pushes a promise to the stream.

stream.kill(promise)

Search and discards a previously promise from the stream. This doesn't remove it from the stream, but the promise will be immediately rejected with a kill error.

stream.close()

Closes the stream. New pushed promises will be ignored, and the stream will be marked as closed. The pending promises are still being processed.

stream.drain()

Drains the stream. Rejects all the pending promises of the queue.

stream.toArray()

Returns a snapshot of the stream as an static array of promises.

stream.forEach(callback(err,res,ex))

Iterates infinitely and asynchronously over the stream.

stream.forEachSync(callback(err,res,ex,next))

Same as before, but now, the next argument is a function that must be called in order to move to the next element. This is useful when we want to wait to the callback function to finish the process before move to the next promise.

stream.done(callback)

The callback function will be invoked when the stream is closed and empty. Useful when the stream has been closed and we want to know when all promises have been processed

stream.toStream(options)

Returns a full implementation of a nodejs Duplex Stream (Writable and Readable stream). This stream is Object Mode by default, and can be passed an optional transform callback before piping to another stream.

var stream = new Stream().toStream({readableObjectMode:false});

function trfn(data,callback) {
	callback(JSON.stringify(data)+"\n");
}

// Pipe stream to stdout
stream.transform(trfn).pipe(process.stdout);

// Write promise to stream
stream.write(new Promise((resolve,reject)=>{
	setTimeout(()=>{
		resolve({data:"This is a json data object"});
	},100);
}));

Events

resolve

Fired when the head promise is resolved

stream.on("resolve",res=>console.log(res));

reject

Fired when the head promise is rejected

stream.on("reject",err=>console.log(err));

catch

Fired when the head promise has thrown an error

stream.on("catch",ex=>console.log(ex));

closed

Fired when the stream has been closed

stream.on("closed",()=>console.log('Closed'));

done

Fired when the stream is closed and all promises has been processed

stream.on("done",()=>console.log('Done'));

Examples