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

settle-map

v2.0.1

Published

Settle multiple promises concurrently and get the results in a cool way

Downloads

11

Readme

Settle Map

GitHub Actions Workflow Status NPM Downloads GitHub Repo stars

Settle Map is a tool that combines the features of Promise.allSettled and Array.map. It simplifies the process of mapping promises, providing results flexibility with hassle free error handling and lets you control how many can run at the same time using concurrency. In other words, it will help you prevent being rate-limited.

⚙️ Installation

npm i settle-map

📚 How it works

import { settleMap } from "settle-map";

const items = [1, 2, 3, 4, 5];

const settled = settleMap(
  items, // your items
  async (item, index) => {
    // your async map function
    if (item % 2 === 0) throw new Error("Even error");

    return item;
  },
  2 // the concurrency you want to set
);

// or
import { createSettleMap } from "settle-map";

// use this map function all over the place with same options
const map = createSettleMap({ concurrency: 2 });

const settled = map(items, asyncMapFunction);
// even you could override the default options. like below the concurrency will changed from 2 to 5
const result = await map(item, asyncMapFunction, 5);

Get live response by listening events

Get response value on resolve any item immediately

settled.on("resolve", ({ value, item, index }) => {
  // your actions
});

Catch error immediately on reject any item

settled.on("reject", ({ error, item, index }) => {
  // your actions
});

Get response immediately on retry any item

settled.on("retry", ({ error, item, index, tried }) => {
  // your actions
});

Get the final result object

The complete event will not be emitted when omitResult options will be true.

settled.on("complete", ({ values, error }) => {
  // your actions
});

[!NOTE] Each event can only trigger one function. If you try to set up multiple listeners for the same event, the most recent one will replace any earlier ones.

Get the final result at once

To wait and get all result at once you just have to add await keyword like casual async/await approach or invoke the then method.

const result = await settled; // An universal promise like syntax that returns only resolved response

/* output
{
  values: [1, 3, 5],
  errors: PayloadError[] // this errors returns array of error with payload { item, index } so you could know where the error happened
}
*/

Wait Until All Processes Are Done

If you want to wait until all processes are done, you can use the waitUntilFinished method.

await settled.waitUntilFinished(); // will return always a resolved promise

Abort all process when you need

you could abort the all remaining processes any time and get the current result using abort method

const result = settled.abort();

Get real time status

you could watch the updated status using status method that will return the number of active and pending process

const status = settled.status();
console.log(status);

/* 
{
  activeCount: number
  pendingCount: number
}
*/

Retry options on reject or fail promises

You could specify a retry limit and delay for each promise, in case it fails or is rejected.

const options = {
  concurrency: 2,
  onFail: {
    attempts: 3, // the number of attempts on fail
    delay: 2000, // ms
  },
  omitResult: true, // the final result will be undefined incase it's true.
};
const settled = settleMap(items, asyncMapFunction, options);

📖 API Reference

settleMap(items, fn, options)

A function that settles promises returned by the provided function (fn) for each item in the items array. The promises are settled according to the provided options.

Parameters

  • items (T[]): An array of items to be processed.
  • fn ((item: T, index: number) => Promise<R>): A function that takes an item and its index as parameters and returns a Promise.
  • options (SettleOptions | number): An object that specifies the concurrency and retry options. If a number is provided, it is treated as the concurrency level. Default is 1

Return Value

Returns an object with the following methods:

  • waitUntilFinished(): A method that returns a promise that resolves when all items have been processed, regardless of whether they succeeded or failed.
  • status(): A method that returns the current status of the settling process.
  • on(event, listener): A method that allows you to listen for certain events.
  • abort(): A method that aborts all remain processes and return the current result.

[!NOTE] Since the return value has then method so the settleMap function is awaitable. Followed the Thenable approach. see MDN

createSettleMap(options)

A curry function of settleMap that will help you to set default options and use the map function with same option everywhere. even you could modify the options for each individual use.

👤 Author (Fahim Faisaal)