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

@mainframework/api-request-worker

v1.0.1

Published

Offloads API requests and application state to a Web Worker to keep the UI thread fast.

Readme

@mainframework/api-request-worker

Requires Node.js 18+ (for global fetch when running in Node; browsers rely on their native fetch).

A framework-agnostic, Web Worker–backed data layer designed to keep your UI thread responsive and your application fast. This library moves all API requests and application state management into a dedicated singleton worker, handling caching, in-flight request deduplication, streaming and binary responses, while exposing data to your main thread on demand.

The library is framework- and library-agnostic: you use the worker via the standard postMessage API from vanilla JavaScript or from any framework (React, Angular, Vue, Preact, SolidJS, etc.). A React hook (useApiWorker) is provided as a convenience for React engineers; you may use it or implement your own integration against the worker protocol.


Why Use This Library?

  • Non-blocking UI: All network requests and state management happen off the main thread, keeping your UI buttery smooth
  • Built-in caching: Automatic response caching with flexible cache key management
  • Request deduplication: Multiple requests for the same resource are automatically collapsed into a single network call
  • Streaming support: Handle large files and real-time streams with incremental chunk delivery
  • Binary file support: First-class support for images, PDFs, and other binary content
  • Framework agnostic: Works in vanilla JavaScript or with any framework
  • No framework lock-in: Use the worker from any stack; the included React hook is optional
  • TypeScript ready: Full type definitions included

Response Types and Download Behavior

The library supports three response types to handle different use cases:

  • responseType: "json" (default): Full response is buffered in the worker and sent to the client in a single message. The client receives the complete response (JSON or text) after the entire download completes.

  • responseType: "binary": Full binary response is buffered in the worker and sent as an ArrayBuffer in a single message. Perfect for complete binary files like images, PDFs, or downloadable documents.

  • responseType: "stream": Responses are streamed incrementally to the client. The worker sends chunks as they arrive (startchunkchunk → ... → end), enabling playback of audio/video streams to begin before the full file downloads. The React hook returns streamChunks (batches of ArrayBuffer[]) as they arrive and a final Blob in data when complete. Throttling (default: every 5 chunks or 50ms) minimizes re-renders. For vanilla JavaScript, you handle stream events manually for maximum control.

Binary and stream responses are not stored in the worker cache; only json/text responses are cached.


Installation

npm i @mainframework/api-request-worker
# or
yarn add @mainframework/api-request-worker

If you use the optional React hook, a peer dependency react >= 19 is required.

Public imports only

Use only these import paths. Do not import the worker script directly.

| Use case | Import from | What you get | | ----------- | ----------------------------------------- | ------------------------------------------------------------------------------------------------------------------------- | | Vanilla | @mainframework/api-request-worker | createApiWorker, RequestConfig, DataRequest, BinaryResponseMeta, WorkerMessagePayload, and other protocol types | | React | @mainframework/api-request-worker/react | useApiWorker, RequestConfig, hook types |

The worker is not a public entry. Obtain it only by calling createApiWorker() from the main package (or use the React hook, which uses createApiWorker internally).


Usage with Vanilla TypeScript / JavaScript

Import from the main package entry and create the worker with createApiWorker. You then talk to the worker via the standard postMessage API: send dataRequests with worker.postMessage, and handle responses in worker.onmessage. No framework required.

Setting Up the Worker

Create the worker with createApiWorker. This is the only way to obtain the worker.

import { createApiWorker } from "@mainframework/api-request-worker";

const worker = createApiWorker();

Set worker.onmessage to handle responses (see Message Protocol). Use the built-in worker.postMessage to send requests; do not overwrite postMessage.

Message Protocol

Outgoing messages (main thread → worker):

Send a single object: { dataRequest: { ... } }.

| dataRequest.type | Description | Required fields | Optional | | ---------------- | --------------------------------------------------- | --------------- | ------------------------------------------- | | "get" | Return cached value for cacheName. | cacheName | hookId | | "set" | Store payload and/or run API request, then respond. | cacheName | hookId, request, payload, requestId | | "delete" | Remove cache entry for cacheName. | cacheName | hookId | | "cancel" | Abort in-flight request by requestId. | — | requestId |

Key fields:

  • cacheName: String; required for get, set, delete. Cache keys are normalized to lowercase.
  • request: API request configuration (url, method, headers, credentials, responseType, etc.). Required for set when making an API call.
  • payload: Request body for POST/PATCH requests. Required for set when there is no request, and for non-GET requests when request is provided.
  • requestId: Optional for set (enables request cancellation); required for cancel.

Incoming messages (worker → main thread):

Every message includes error: { message: string }.

  • Success: data contains the response body and error.message is "" (empty string).
  • Failure: data is null and error.message contains the error description.

Message formats:

  • Success (JSON/text): { cacheName, data, error: { message: "" }, hookId?, httpStatus? }
  • Success (binary): { cacheName, data: ArrayBuffer, meta: { contentType?, contentDisposition }, error: { message: "" }, hookId?, httpStatus? }
  • Success (stream): Multiple messages in sequence:
    • { cacheName, stream: "start", meta: { contentType?, contentDisposition }, hookId?, httpStatus?, error: { message: "" } }
    • { cacheName, stream: "chunk", data: ArrayBuffer, hookId?, error: { message: "" } } (one or more)
    • { cacheName, stream: "resume", meta: { contentType?, contentDisposition }, hookId?, httpStatus?, error: { message: "" } } (after retry)
    • { cacheName, stream: "end", hookId?, error: { message: "" } } (final message)
  • Error: { cacheName?, data: null, error: { message: "..." }, hookId? }. If the request had no cacheName, match by hookId instead.

Common error messages:

  • "Invalid request: type is required"
  • "Invalid request: cacheName is required"
  • "Invalid request: payload is required for set"
  • "Invalid request: payload is required for non-GET API request"
  • "Cache miss" (when requesting a non-existent cache key)
  • HTTP status text or fetch error messages for network failures

Request Configuration

interface RequestConfig {
  url: string;
  method: "GET" | "get" | "POST" | "post" | "PATCH" | "patch" | "DELETE" | "delete";
  mode?: "cors" | "no-cors" | "navigate" | "same-origin";
  headers?: Record<string, string>;
  credentials?: "include" | "same-origin" | "omit";
  responseType?: "json" | "binary" | "stream"; // default: "json"
  timeoutMs?: number; // Abort request after this many milliseconds
  formDataFileFieldName?: string; // FormData field name for File/Blob parts (default: "Files")
  formDataKey?: string; // FormData key for root payload when building multipart form data
  retries?: number; // For responseType "stream": retry attempts on connection loss (default: 3, max: 5)
  streamChunkBatchSize?: number; // For responseType "stream": flush to streamChunks every N chunks (default: 5)
}
  • responseType: "binary": Use for complete binary files. The worker returns an ArrayBuffer and sets meta.contentType and meta.contentDisposition so you can construct a proper Blob: new Blob([data], { type: meta?.contentType }).

  • responseType: "stream": Use for streaming audio/video or large files. The worker sends chunks incrementally. The hook returns streamChunks (batches of ArrayBuffer[]) as they arrive and a final Blob in data when complete. Batching via streamChunkBatchSize (default 5) controls how many chunks are delivered per update. Supports automatic reconnection with configurable retries (default 3, max 5).

Vanilla JavaScript Examples

GET request from API (JSON response):

import { createApiWorker } from "@mainframework/api-request-worker";

const worker = createApiWorker();
const cacheName = "api-get-" + Date.now();

worker.onmessage = (event) => {
  const { cacheName: name, data, error, httpStatus } = event.data;
  if (name === cacheName && error?.message === "" && data != null) {
    console.log("Response:", data, "HTTP status:", httpStatus);
  }
};

worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName,
    request: { url: "https://api.example.com/data", method: "GET" },
    hookId: "vanilla-get",
  },
});

POST request with JSON payload:

worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName: "api-post-" + Date.now(),
    payload: { name: "New Item", description: "Created from vanilla JS" },
    request: {
      url: "https://api.example.com/items",
      method: "POST",
      headers: { "Content-Type": "application/json" },
    },
    hookId: "vanilla-post",
  },
});

PATCH request:

worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName: "update-item",
    payload: { status: "completed", priority: "high" },
    request: {
      url: "https://api.example.com/items/123",
      method: "PATCH",
      headers: { "Content-Type": "application/json" },
    },
    hookId: "vanilla-patch",
  },
});

Cache-only operations (no API call):

const cacheName = "local-cache-" + Math.random();

// Store data in cache without making an API request
worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName,
    payload: { userId: 42, preferences: { theme: "dark" } },
    hookId: "cache-set",
  },
});

// Retrieve cached data
setTimeout(() => {
  worker.postMessage({
    dataRequest: { type: "get", cacheName, hookId: "cache-get" },
  });
}, 0);
// onmessage will receive: { cacheName, data: { userId: 42, preferences: { theme: "dark" } }, error: { message: "" } }

Handling cache misses:

worker.postMessage({
  dataRequest: { type: "get", cacheName: "nonexistent-key", hookId: "cache-miss" },
});
// onmessage receives: { cacheName: "nonexistent-key", data: null, error: { message: "Cache miss" }, hookId: "cache-miss" }

Delete cached data:

// First, store some data
worker.postMessage({
  dataRequest: { type: "set", cacheName: "temp-data", payload: { temp: true } },
});

// Later, delete it
worker.postMessage({
  dataRequest: { type: "delete", cacheName: "temp-data", hookId: "delete-op" },
});
// Response: { cacheName: "temp-data", data: { deleted: true }, error: { message: "" }, hookId: "delete-op" }

// Subsequent get for the same cacheName returns: { error: { message: "Cache miss" } }

Binary file download (complete file):

worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName: "download-pdf-" + Date.now(),
    request: {
      url: "https://example.com/document.pdf",
      method: "GET",
      responseType: "binary",
    },
    hookId: "binary-download",
  },
});

worker.onmessage = (event) => {
  const { data, meta, error } = event.data;
  if (error?.message === "" && data instanceof ArrayBuffer) {
    // Build a Blob from the ArrayBuffer
    const blob = new Blob([data], {
      type: meta?.contentType ?? "application/octet-stream",
    });

    // Create download link or object URL
    const url = URL.createObjectURL(blob);
    console.log("Download ready:", url);
  }
};

Streaming audio/video (incremental chunks):

const cacheName = "audio-stream-" + Date.now();
const chunks: ArrayBuffer[] = [];
let meta: { contentType?: string; contentDisposition: string | null } | null = null;

worker.onmessage = (event) => {
  const msg = event.data;
  if (msg.cacheName !== cacheName) return;

  if (msg.stream === "start") {
    // Stream started
    chunks.length = 0;
    meta = msg.meta ?? null;
    console.log("Stream started, content type:", meta?.contentType);
  } else if (msg.stream === "chunk" && msg.data) {
    // Received a chunk
    chunks.push(msg.data);
    console.log(`Received chunk, total chunks: ${chunks.length}`);
  } else if (msg.stream === "resume") {
    // Stream resumed after reconnection
    if (msg.meta) meta = msg.meta;
    console.log("Stream resumed");
  } else if (msg.stream === "end") {
    // Stream complete
    if (msg.error?.message === "" && chunks.length > 0) {
      const blob = new Blob(chunks, meta?.contentType ? { type: meta.contentType } : undefined);
      const url = URL.createObjectURL(blob);
      console.log("Stream complete, blob URL:", url);

      // Use the URL in an audio or video element
      // audioElement.src = url;
    } else {
      console.error("Stream error:", msg.error?.message);
    }
  }
};

worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName,
    request: {
      url: "https://stream.example.com/audio.mp3",
      method: "GET",
      responseType: "stream",
      retries: 3, // Retry up to 3 times on connection loss
    },
    hookId: "stream-audio",
  },
});

Cancel an in-flight request:

const requestId = "cancel-request-" + Date.now();

// Start a large download
worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName: "large-file",
    request: {
      url: "https://example.com/large-file.bin",
      method: "GET",
      responseType: "binary",
    },
    requestId,
  },
});

// Cancel it after 100ms
setTimeout(() => {
  worker.postMessage({
    dataRequest: { type: "cancel", requestId },
  });
}, 100);

Handling validation errors:

// Missing type
worker.postMessage({ dataRequest: { cacheName: "x" } });
// Response: { error: { message: "Invalid request: type is required" } }

// Missing cacheName
worker.postMessage({ dataRequest: { type: "get" } });
// Response: { error: { message: "Invalid request: cacheName is required" } }

// Missing payload for set
worker.postMessage({ dataRequest: { type: "set", cacheName: "k" } });
// Response: { error: { message: "Invalid request: payload is required for set" } }

// Missing payload for POST
worker.postMessage({
  dataRequest: {
    type: "set",
    cacheName: "k",
    request: { url: "...", method: "POST" },
  },
});
// Response: { error: { message: "Invalid request: payload is required for non-GET API request" } }

Usage with React

For React applications, the library provides an optional useApiWorker hook that wraps the worker communication. You may use this hook or build your own React integration using the Message Protocol above. No provider or wrapper component is required—use the hook wherever you need to fetch or read cached data.

Hook API

import { useApiWorker } from "@mainframework/api-request-worker/react";

const result = useApiWorker({
  cacheName: "my-cache",       // required
  request: { ... },            // optional: request config for API call
  data: { ... },               // optional: payload for POST/PATCH
  runMode: "auto",             // optional: "auto" | "manual" | "once" (default "auto")
  enabled: true,               // optional: if false, no request is sent (default true)
});

// result: { data, meta, loading, error, refetch, deleteCache }

Parameters:

  • cacheName (required): Cache key for storing and retrieving data. Multiple components using the same cacheName share the same cached value (see Shared cacheName).
  • request (optional): When provided, the worker performs an API request and stores the result. When omitted, the hook only reads from cache.
  • data (optional): Request body/payload for POST, PATCH, etc.
  • runMode:
    • "auto" (default): Sends the request (or cache read) immediately when the hook mounts.
    • "manual": Does not send automatically; call refetch() to trigger.
    • "once": Sends once automatically on mount; subsequent refetch() calls do nothing.
  • enabled: When false, no request is sent (useful for conditional fetching based on user state or other conditions).

Return value:

| Property | Type | Description | | -------------- | ---------------------------- | --------------------------------------------------------------------------------------------------------------------------------------------- | | data | T \| null | Response body: JSON/text for responseType: "json", ArrayBuffer for responseType: "binary", Blob for responseType: "stream". | | meta | BinaryResponseMeta \| null | For binary and stream responses: contentType, contentDisposition. | | loading | boolean | true while a request is in flight. | | error | string \| null | Error message when the request failed; null when there is no error. See Errors. | | refetch | () => void | Re-runs the same logical request. See Refetch semantics. | | deleteCache | () => void | Tells the worker to delete the cache entry for this cacheName. | | streamChunks | ArrayBuffer[] \| undefined | For responseType: "stream": batches of chunks as they arrive. Append to MediaSource or process incrementally. undefined for non-stream. |

React Examples

GET request with automatic execution:

const { data, loading, error, refetch, deleteCache } = useApiWorker({
  cacheName: "todos",
  request: { url: "https://api.example.com/todos", method: "GET" },
  runMode: "auto",
});

// Request is sent immediately when component mounts
// data/loading/error update when the worker responds

POST request with payload:

const { data, loading, error, refetch } = useApiWorker({
  cacheName: "create-post",
  request: {
    url: "https://api.restful-api.dev/objects",
    method: "POST",
    headers: { "Content-Type": "application/json" },
  },
  data: {
    name: "My New Object",
    data: { color: "blue", size: "large" },
  },
  runMode: "auto",
});

PATCH request:

const { data, loading, refetch } = useApiWorker({
  cacheName: "update-item",
  request: {
    url: "https://api.example.com/items/123",
    method: "PATCH",
    headers: { "Content-Type": "application/json" },
  },
  data: { status: "completed", updatedAt: new Date().toISOString() },
  runMode: "auto",
});

Manual execution (lazy loading):

const { data, loading, refetch } = useApiWorker({
  cacheName: "user-profile",
  request: {
    url: "https://api.example.com/profile",
    method: "GET",
  },
  runMode: "manual",
});

// Call refetch() when needed (e.g., on button click or in useEffect)
const handleLoadProfile = () => {
  refetch();
};

Run once (single automatic execution):

const { data, refetch } = useApiWorker({
  cacheName: "init-data",
  request: { url: "https://api.example.com/init", method: "GET" },
  runMode: "once",
});
// Request is sent once on mount. Calling refetch() does nothing.

Conditional fetching:

const { data, loading } = useApiWorker({
  cacheName: "protected-resource",
  request: { url: "https://api.example.com/protected", method: "GET" },
  runMode: "auto",
  enabled: isAuthenticated, // Only fetch when user is authenticated
});

Read from cache only (no API request):

const { data, loading, error, refetch } = useApiWorker({
  cacheName: "shared-state",
  runMode: "auto",
});
// Sends a "get" request to the worker
// If cache is empty, error will be "Cache miss"

Binary response (complete file):

const { data, meta, loading } = useApiWorker({
  cacheName: "pdf-document",
  request: {
    url: "https://example.com/document.pdf",
    method: "GET",
    responseType: "binary",
  },
  runMode: "auto",
});

// When loaded, data is ArrayBuffer
// meta contains contentType and contentDisposition
// Create a Blob: new Blob([data], { type: meta?.contentType })
// Create object URL: URL.createObjectURL(blob)

Streaming response (audio/video):

const { data, meta, loading, error, streamChunks } = useApiWorker({
  cacheName: "video-stream",
  request: {
    url: "https://example.com/video.mp4",
    method: "GET",
    responseType: "stream",
    retries: 3, // Retry on connection loss (default 3, max 5)
    streamChunkBatchSize: 5, // Optional: flush every N chunks (default 5)
  },
  runMode: "auto",
});

// streamChunks: batches of ArrayBuffer[] as chunks arrive (append to MediaSource, etc.)
// data: Blob when the stream completes
// loading: true until stream ends
// const videoUrl = data ? URL.createObjectURL(data) : null;
// <video src={videoUrl} controls />

Delete cache:

const { data, deleteCache } = useApiWorker({
  cacheName: "temporary-data",
  request: { url: "https://api.example.com/temp", method: "GET" },
  runMode: "manual",
});

const handleClearCache = () => {
  deleteCache(); // Removes the cache entry from the worker
};

Shared cacheName / Multiple Subscribers

When multiple components use the same cacheName, they share a single cache entry in the worker. However, only one queue entry exists per normalized cache name, and the last-mounted component's state updater receives the worker's responses. This means only that component will re-render when the worker responds.

Recommendation: Use unique cacheName values per logical resource if you need independent loading/error state in each component.

Refetch Semantics

refetch() re-runs the same logical operation as the current hook configuration:

  • When request is omitted: Sends a get request (reads from cache)
  • When request is provided: Sends a set request (makes an API call or stores data)

It does not switch between get and set based on prior runs; it uses the current cacheName, request, and data values at the time refetch() is called.

Errors

The worker always includes an error field in every message: { message: string }.

  • No error: { message: "" } (empty string)
  • Error occurred: { message: "error description" }

The hook exposes this as error: string | null:

  • null when error.message is empty
  • The error message string when an error occurred

Common error messages:

  • "Cache miss" – Requested cache key doesn't exist
  • "Invalid request: ..." – Request validation failed
  • HTTP status text or network error messages

Responses are routed to the requesting component by cacheName or, when cacheName is missing from the worker response, by hookId.


TypeScript Types

Vanilla (main entry): Request and protocol types:

import type {
  RequestConfig,
  DataRequest,
  BinaryResponseMeta,
  WorkerMessagePayload,
  WorkerErrorPayload,
  WorkerResponseMessage,
  ResponseType,
  RunMode,
  WorkerDataRequestType,
  WorkerMessageData,
  BinaryParseResult,
} from "@mainframework/api-request-worker";
  • WorkerDataRequestType: "get" | "set" | "delete" | "cancel" — for narrowing DataRequest.type
  • WorkerMessageData: { dataRequest?: DataRequest } — shape for postMessage payloads
  • BinaryParseResult: internal binary marker type; mainly for advanced worker extensions

React:

import type { RequestConfig, UseApiWorkerConfig, UseApiWorkerReturn } from "@mainframework/api-request-worker/react";

Quick Reference

| Use case | Entry point | Primary API | | ----------------- | ----------------------------------------- | --------------------------------------------------------------------------------------------------------------------------- | | Vanilla JS/TS | @mainframework/api-request-worker | createApiWorker(); set worker.onmessage, use worker.postMessage | | React | @mainframework/api-request-worker/react | useApiWorker({ cacheName, request?, data?, runMode?, enabled? }){ data, meta, loading, error, refetch, deleteCache } |


Framework Integrations

Core: The worker and message protocol work in any environment (vanilla JavaScript/TypeScript or any framework). The worker is always created via createApiWorker; the vanilla bundle and the React hook both use it.

React: A hook (useApiWorker) is included; it uses createApiWorker internally and exposes a simple API. You can instead use the Message Protocol from React with your own createApiWorker() instance.

Other frameworks: Use the main package entry and the protocol as with vanilla JS (Angular, Vue, Preact, SolidJS, etc.).


Testing

Tests use Vitest in browser mode (Playwright Chromium). The worker is created inside useApiWorker; there are no mocks.

  • useApiWorkersrc/shared/hooks/useApiWorker.test.ts (React hook, real Worker and network)

Run tests: yarn test (or yarn test:watch, yarn test:coverage). Ensure Chromium is installed: npx playwright install chromium.


License

See LICENSE in the repository.