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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@moon7/async

v0.1.2

Published

Asynchronous utilities for JavaScript and TypeScript applications

Readme

@moon7/async

A lightweight, powerful utility library for managing asynchronous operations in JavaScript and TypeScript applications.

npm version License: MIT

Features

  • 🚀 Promise utilities - Create deferred promises, add timeouts, and implement retries with backoff strategies
  • 🔒 Concurrency controls - Semaphore, Mutex, and TaskPool for managing concurrent operations
  • ⏱️ Timing functions - Sleep, delay, and defer for precise timing control
  • 🔄 Iterator helpers - Utilities for working with asynchronous iterators
  • 🧩 Functional utilities - Lift synchronous functions to work with promises

Installation

# Using npm
npm install @moon7/async

# Using yarn
yarn add @moon7/async

# Using pnpm
pnpm add @moon7/async

Usage

Timing Functions

import { sleep, delay, nextTick, timeout } from '@moon7/async';

// Sleep for a specific duration
await sleep(1000);

// Sleep with a return value
const result = await sleep(1000, 'Hello');
// Print the result
console.log(result);

// Create a timeout that will throw after the specified time
try {
    await timeout(5000);
} catch (error) {
    // Will throw a TimeoutError after 5 seconds
}

// Timeout with a custom error
try {
    await timeout(5000, new Error('Custom timeout message'));
} catch (error) {
    // Will throw the custom error after 5 seconds
}

// Delay a function call
const delayedResult = await delay(2000, () => 'Hello after 2 seconds');

// Delay with arguments
const multiply = (a, b) => a * b;
const product = await delay(1000, multiply, 5, 7);

// Execute after the current call stack clears
const deferred = await nextTick(() => 'Executed after current call stack');

Deferred Promises with deferred()

import { deferred } from '@moon7/async';

// Create a promise that can be resolved externally
const [promise, resolve, reject] = deferred();

// Now you can resolve it from anywhere
setTimeout(() => resolve('Completed!'), 3000);

// Use the promise
const result = await promise;

Adding Timeouts to Operations

import { withTimeout } from '@moon7/async';

async function slowOperation() {
    // Some potentially slow API call or operation
    return 'Result';
}

// Create a version with a 5-second timeout
const timedOperation = withTimeout(slowOperation, 5000);

try {
    const result = await timedOperation();
} catch (error) {
    // Will throw a TimeoutError if operation takes longer than 5 seconds
}

Retry Failed Operations

import { withRetry, expBackoff } from '@moon7/async';

async function unreliableOperation() {
    // Operation that might fail occasionally
    if (Math.random() < 0.7) throw new Error('Random failure');
    return 'Success!';
}

// Retry up to 5 times with exponential backoff
const reliableOperation = withRetry(unreliableOperation, 5, expBackoff(500));

try {
    const result = await reliableOperation();
} catch (error) {
    // Will only fail if all 5 attempts fail
}

Concurrency Control with Semaphore

Example 1: Using acquire and release function

import { Semaphore } from '@moon7/async';

// Allow maximum 3 concurrent operations
const semaphore = new Semaphore(3);

async function controlledFetch(url) {
    // Acquire returns a release function
    const release = await semaphore.acquire();
    
    try {
        // Perform the fetch operation
        const response = await fetch(url);
        const data = await response.json();
        return data;
    } finally {
        // Call the release function to release the permit
        release();
    }
}

// These will execute with controlled concurrency
const urls = ['url1', 'url2', 'url3', 'url4', 'url5', 'url6'];
const results = await Promise.all(urls.map(url => controlledFetch(url)));
// Only 3 URLs will be fetched at a time

Example 2: Using the use method

import { Semaphore } from '@moon7/async';

// Allow maximum 3 concurrent operations
const semaphore = new Semaphore(3);

async function controlledFetch(url) {
    // The use method automatically acquires and releases
    return semaphore.use(async () => {
        const response = await fetch(url);
        const data = await response.json();
        return data;
    });
}

// These will execute with controlled concurrency
const urls = ['url1', 'url2', 'url3', 'url4', 'url5', 'url6'];
const results = await Promise.all(urls.map(url => controlledFetch(url)));
// Only 3 URLs will be fetched at a time

Example 3: Using tryAcquire for non-blocking operations

import { Semaphore } from '@moon7/async';

// Allow maximum 2 concurrent operations
const semaphore = new Semaphore(2);

function processNonCriticalTask(task) {
    // Try to acquire a permit without waiting
    const release = semaphore.tryAcquire();
    
    if (release) {
        try {
            // Process the task...
            return `Completed: ${task}`;
        } finally {
            // Release the permit
            release();
        }
    } else {
        return `Skipped: ${task}`;
    }
}

// These will execute immediately if permits are available
// or be skipped if all permits are in use
const tasks = ['task1', 'task2', 'task3', 'task4', 'task5'];
const results = tasks.map(task => processNonCriticalTask(task));

Mutual Exclusion with Mutex

import { Mutex } from '@moon7/async';

// Ensure only one operation happens at a time
const mutex = new Mutex();

async function safeUpdate(data) {
    return mutex.use(async () => {
        // This critical section will only be accessed by one caller at a time
        // Perfect for updating shared resources without race conditions
        return updateSharedResource(data);
    });
}

Managing Tasks with TaskPool

import { TaskPool } from '@moon7/async';

// Process up to 4 tasks concurrently
const pool = new TaskPool(4);

const tasks = [
    () => fetchData('endpoint1'),
    () => fetchData('endpoint2'),
    () => fetchData('endpoint3'),
    () => fetchData('endpoint4'),
    () => fetchData('endpoint5'),
    () => fetchData('endpoint6'),
    () => fetchData('endpoint7')
];

// Submit all tasks to the pool - only 4 will run at once
const results = await pool.submitAll(tasks);

Working with Async Iterators

import { fromAsyncIterator } from '@moon7/async';

async function* generateValues() {
    yield 1;
    yield 2;
    yield 3;
}

// Collect all values into an array
const values = await fromAsyncIterator(generateValues());
console.log(values); // [1, 2, 3]

Functional Programming with Promises

import { lift } from '@moon7/async';

// Original function works with values
function add(a, b, c) {
    return a + b + c;
}

// Lifted function works with promises
const addAsync = lift(add);

// Now we can pass promises as arguments
const result = await addAsync(
    Promise.resolve(1),
    Promise.resolve(2),
    Promise.resolve(3)
);
console.log(result); // 6

API Reference

Timing Functions

  • sleep(ms, value?) - Pauses execution for the specified milliseconds with optional return value
  • timeout(ms) - Creates a promise that rejects with a TimeoutError after the specified milliseconds
  • delay(ms, fn, ...args) - Delays a function call
  • nextTick(fn, ...args) - Executes a function after the current call stack clears

Promise Utilities

  • deferred() - Creates a promise that can be resolved or rejected externally
  • withTimeout(asyncFn, timeoutInMs) - Adds a timeout to an async function
  • withRetry(fn, tries, wait) - Adds retry capability
  • expBackoff(minRetryWaitTime) - Creates an exponential backoff strategy

Concurrency Control

  • Semaphore - Limits the number of concurrent operations
  • Mutex - Ensures exclusive access to a resource
  • TaskPool - Manages a pool of concurrent tasks

Async Utilities

  • fromAsyncIterator(it) - Collects async iterator values into an array
  • lift(fn) - Lifts a function to work with promises

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

License

This project is licensed under the MIT License - see the LICENSE file for details.