Node Range - Lazy Sequence Generator

0.1.0 · abandoned · verified Sun Apr 19

Node-range is a JavaScript utility package designed to generate lazy sequences (ranges) of numbers, offering methods like `map`, `forEach`, and `forEachAsync` that operate without fully materializing the entire sequence into memory upfront. This can be beneficial for performance and memory usage when dealing with very large ranges. The package's current and only stable version is 0.1.0, last published over a decade ago in January 2015. Due to its age, it relies on older CommonJS module patterns and lacks support for modern JavaScript features like native Promises (it uses callbacks for async operations) or TypeScript definitions. Its claim of being "faster than Array.map" might be outdated due to significant V8 engine optimizations in modern Node.js. Given its lack of updates, it is no longer maintained and should be used with caution, if at all.

Common errors

Warnings

Install

Imports

Quickstart

This quickstart demonstrates creating lazy numerical ranges, applying transformations with `map` (lazy and eager), iterating with `forEach` for synchronous operations, and `forEachAsync` for non-blocking iteration using callbacks.

const range = require('node-range');

console.log('--- Lazy Map Example ---');
// Generate a lazy range from 1 to 10 (exclusive of 11), and map each element
// The array is only materialized when needed (e.g., by console.log or when iteration completes)
const mappedArr = range(1, 11).map(function(i) {
    return i * 5;
});
console.log('Result of lazy map:', mappedArr);

console.log('\n--- To Array and Map Example ---');
// Convert to an array first, then use standard Array.prototype.map
const toArrayAndMap = range(1, 11).toArray().map(function(i) {
    return i * 2;
});
console.log('Result of toArray().map:', toArrayAndMap);

console.log('\n--- Synchronous ForEach Example ---');
// Execute a function for each item in the range without returning an array
range(1, 5).forEach(function(i) {
    console.log('forEach sync:', Math.pow(i, 2));
});

console.log('\n--- Asynchronous ForEach (Callback-based) Example ---');
// Execute a function asynchronously for each item (callback-based)
// Note: This is non-blocking but uses older callback patterns
range(1, 3).forEachAsync(function(i) {
    console.log('forEachAsync num:', i);
});
console.log('This should come first (demonstrating async nature)');

view raw JSON →