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

@substrate-system/stream

v0.0.5

Published

Stream helpers for the browser

Readme

@substrate-system/stream

tests types module semantic versioning Common Changelog install size gzip size dependencies license

Use the native browser streams API, but with a nicer wrapper.

Install

npm i -S @substrate-system/stream

Example

import { S } from '@substrate-system/stream';

// Chain operations like array methods
const result = await S.from([1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
  .skip(2)                    // skip first 2: [3, 4, 5, 6, 7, 8, 9, 10]
  .filter(x => x % 2 === 0)   // keep evens: [4, 6, 8, 10]
  .map(x => x * 2)            // double: [8, 12, 16, 20]
  .take(3)                    // first 3: [8, 12, 16]
  .toArray();

console.log(result);
// [8, 12, 16]

// Terminal methods
const sum = await S.from([1, 2, 3, 4])
  .reduce((acc, x) => acc + x, 0);
// 10

const found = await S.from([1, 2, 3, 4, 5])
  .find(x => x > 3);
// 4

const hasEven = await S.from([1, 3, 5, 6])
  .some(x => x % 2 === 0);
// true

const allPositive = await S.from([1, 2, 3])
  .every(x => x > 0);
// true

// scan - like reduce but emits intermediate values
const runningTotals = await S.from([1, 2, 3])
  .scan((acc, x) => acc + x, 0)
  .toArray();
// [1, 3, 6]

const withInitial = await S.from([1, 2, 3])
  .scan((acc, x) => acc + x, 10)
  .toArray();
// [11, 13, 16]

API

Wrap a ReadableStream with chainable array-like methods. This provides a fluent API like with arrays, but for streams. The predicate functions can all be async too.

function S<T> (readable:ReadableStream<T>):EnhancedStream<T>

S.from

Create an EnhancedStream from an array or iterable:

S.from<T>(iterable:Iterable<T>|AsyncIterable<T>):EnhancedStream<T>
const result = await S.from([1, 2, 3])
  .filter(x => x > 1)
  .map(x => x * 2)
  .toArray();
// [4, 6]

// Works with async iterables too
async function* generate() {
  yield 1;
  yield 2;
  yield 3;
}

const asyncResult = await S.from(generate())
  .map(x => x * 10)
  .toArray();
// [10, 20, 30]

.map

Like array.map. Transform each chunk using a mapping function. The function can be sync or async.

map<U> (fn:(item:T) => U|Promise<U>):EnhancedStream<U>
const doubled = await S.from([1, 2, 3])
  .map(x => x * 2)
  .toArray();
// [2, 4, 6]

// Async mapping works too
const parsed = await S.from(['1', '2', '3'])
  .map(async s => JSON.parse(s))
  .toArray();
// [1, 2, 3]

.filter

Like array.filter — keep only chunks that satisfy a predicate.

filter (predicate:(item:T) => boolean|Promise<boolean>):EnhancedStream<T>
const evens = await S.from([1, 2, 3, 4, 5, 6])
  .filter(x => x % 2 === 0)
  .toArray();
  // [2, 4, 6]

.forEach

For side effects.

forEach (fn:(item:T) => void|Promise<void>):EnhancedStream<T>
const result = await S.from([1, 2, 3])
  .forEach(x => console.log('processing', x))
  .map(x => x * 10)
  .toArray();
// logs: processing 1, processing 2, processing 3
// [10, 20, 30]

.skip

Skip the first n chunks and pass through the rest.

skip (n:number):EnhancedStream<T>
const skipped = await S.from([1, 2, 3, 4, 5])
  .skip(2)
  .toArray();
// [3, 4, 5]

.take

Take the first n chunks from the stream and then terminate it. Useful for limiting output or short-circuiting a long or infinite stream.

take (n:number):EnhancedStream<T>
// First 3 items
const first3 = await S.from([10, 20, 30, 40, 50])
  .take(3)
  .toArray();
  // [10, 20, 30]

// Composable with other methods
const result = await S.from([1, 2, 3, 4, 5, 6, 7, 8])
  .filter(x => x % 2 === 0)   // evens: [2, 4, 6, 8]
  .take(2)                     // first 2 evens: [2, 4]
  .toArray();
  // [2, 4]

.scan

Like reduce, but emits each intermediate accumulated value instead of only the final result. Useful for running totals, state machines, or any case where you need to see intermediate states. See reactivex.io/scan

scan<U>(fn:(acc:U, item:T) => U|Promise<U>, initial:U):EnhancedStream<U>
// Running totals
const totals = await S.from([1, 2, 3, 4])
  .scan((acc, x) => acc + x, 0)
  .toArray();
// [1, 3, 6, 10]
// Step by step: 0+1=1, 1+2=3, 3+3=6, 6+4=10

// With different initial value
const fromTen = await S.from([1, 2, 3])
  .scan((acc, x) => acc + x, 10)
  .toArray();
// [11, 13, 16]

// Building up an array
const accumulated = await S.from(['a', 'b', 'c'])
  .scan((acc, x) => [...acc, x], [] as string[])
  .toArray();
// [['a'], ['a', 'b'], ['a', 'b', 'c']]

// Can be chained with other methods
const filtered = await S.from([1, 2, 3, 4, 5])
  .scan((acc, x) => acc + x, 0)
  .filter(x => x > 5)
  .toArray();
// [6, 10, 15]

.reduce

Reduce the stream to a single value, like Array.prototype.reduce. The function can be async.

reduce<U> (fn:(acc:U, item:T) => U|Promise<U>, initial:U):Promise<U>
const sum = await S.from([1, 2, 3, 4])
  .reduce((acc, x) => acc + x, 0);
// 10

.find

Return the first chunk that satisfies the predicate, or undefined if none match. The predicate can be async.

find (predicate:(item:T) => boolean|Promise<boolean>):Promise<T|undefined>
const found = await S.from([1, 2, 3, 4, 5])
  .find(x => x > 3);
// 4

.some

Return true if any chunk satisfies the predicate. Short-circuits on the first match. The predicate can be async.

some (predicate:(item:T) => boolean|Promise<boolean>):Promise<boolean>
const hasEven = await S.from([1, 3, 5, 6])
  .some(x => x % 2 === 0);
// true

.every

Return true if every chunk satisfies the predicate. Short-circuits on the first failure. The predicate can be async.

every (predicate:(item:T) => boolean|Promise<boolean>):Promise<boolean>
const allPositive = await S.from([1, 2, 3])
  .every(x => x > 0);
// true

.toArray

Collect all chunks into an array.

toArray ():Promise<T[]>
const arr = await S.from([1, 2, 3])
  .map(x => x * 2)
  .toArray();
// [2, 4, 6]

.collect

Collect chunks and auto-concatenate based on type. Typed arrays (e.g. Uint8Array) are concatenated into a single typed array, strings are joined, and everything else is returned as an array.

collect ():Promise<any>
// Strings are joined
const text = await S.from(['hello', ' ', 'world'])
  .collect();
// 'hello world'

// Typed arrays are concatenated
const buf = await S.from([new Uint8Array([1, 2]), new Uint8Array([3])])
  .collect();
// Uint8Array [1, 2, 3]

.toStream

Return the underlying ReadableStream. Useful for interop with native stream APIs. The readable property provides the same access.

toStream ():ReadableStream<T>
const stream = S.from([1, 2, 3]).toStream();
// ReadableStream<number>

Modules

This exposes ESM and common JS via package.json exports field.

ESM

import { S, EnhancedStream } from '@substrate-system/stream'

Common JS

require('@substrate-system/stream')

pre-built JS

This package exposes minified JS files too. Copy them to a location that is accessible to your web server, then link to them in HTML.

copy

cp ./node_modules/@substrate-system/stream/dist/index.min.js ./public/stream.min.js

HTML

<script type="module" src="./stream.min.js"></script>