Micromark Utility for Chunked Array Operations
micromark-util-chunked is a specialized utility package within the `micromark` ecosystem, designed to perform array manipulations (`push` and `splice`) efficiently when dealing with exceptionally large arrays. Its primary purpose is to circumvent performance bottlenecks and V8 engine limitations, such as stack overflows, that can occur with native `Array.prototype.splice` when a massive number of items are involved. The current stable version is `2.0.1` (though the micromark monorepo has related packages at `4.x.x`). As part of the `micromark` monorepo, its updates typically align with the broader `micromark` project's active release schedule. A key differentiator is its optimized algorithms for chunked operations, ensuring stability and performance for complex parsing tasks often encountered within markdown processing. The package is ESM-only and ships with full TypeScript type definitions.
Common errors
-
Error [ERR_REQUIRE_ESM]: Must use import to load ES Module: /path/to/node_modules/micromark-util-chunked/index.js
cause Attempting to import `micromark-util-chunked` using CommonJS `require()` syntax.fixChange `const { push } = require('micromark-util-chunked');` to `import { push } from 'micromark-util-chunked';` -
TypeError: (0 , micromark_util_chunked__WEBPACK_IMPORTED_MODULE_0__.splice) is not a function
cause Incorrect ESM import syntax, often trying to destructure a default export or using `import * as` when the module only provides named exports.fixEnsure you are using named imports: `import { splice } from 'micromark-util-chunked';` -
RangeError: Maximum call stack size exceeded
cause Directly using `Array.prototype.splice` or `Array.prototype.push` with a very large number of arguments or an extremely large array, causing a V8 engine stack overflow.fixRefactor your array manipulation logic to use `micromark-util-chunked`'s `push` and `splice` functions, which are optimized for large arrays.
Warnings
- breaking This package is ESM-only. Attempting to use `require()` for importing will result in an `ERR_REQUIRE_ESM` error. This has been the case since its initial major release.
- gotcha Using native `Array.prototype.splice` with an extremely large number of items (e.g., 100,000+) can lead to a 'RangeError: Maximum call stack size exceeded' in V8, which this package is designed to prevent.
- gotcha The `push` function can return a *new* array reference if the `list` argument was initially empty, instead of modifying `list` in place. Always reassign the return value of `push`.
Install
-
npm install micromark-util-chunked -
yarn add micromark-util-chunked -
pnpm add micromark-util-chunked
Imports
- push
const { push } = require('micromark-util-chunked')import { push } from 'micromark-util-chunked' - splice
import splice from 'micromark-util-chunked'
import { splice } from 'micromark-util-chunked' - push, splice
import * as chunked from 'micromark-util-chunked'; chunked.push(...);
import { push, splice } from 'micromark-util-chunked'
Quickstart
import { push, splice } from 'micromark-util-chunked';
// Simulate a context object often used in micromark tokenizers
const context = { document: 'Some markdown string with lots of tokens...' };
// Initialize an array of "events" (e.g., tokens or state changes).
// Start with a moderately large array to demonstrate the utility's purpose.
let events: Array<[string, any, typeof context]> = [];
// Populate with some initial data using `push`
for (let i = 0; i < 5000; i++) {
events = push(events, [['text', { type: 'text', value: `item-${i}` }, context]]);
}
console.log(`Initial events length: ${events.length}`);
// Expected output: Initial events length: 5000
// Demonstrate `push` with a large chunk of new items, which avoids V8 stack limits
const newItemsToAdd: Array<[string, any, typeof context]> = [];
for (let i = 0; i < 10000; i++) {
newItemsToAdd.push(['token', { type: 'new_token', value: `added-${i}` }, context]);
}
events = push(events, newItemsToAdd);
console.log(`Length after large push: ${events.length}`);
// Expected output: Length after large push: 15000
// Demonstrate `splice`: removing existing items and inserting new ones.
// Let's remove 500 items from index 1000 and insert 2000 new ones.
const itemsToInsert: Array<[string, any, typeof context]> = [];
for (let i = 0; i < 2000; i++) {
itemsToInsert.push(['insert', { type: 'inserted', value: `inserted-${i}` }, context]);
}
const startIndex = 1000;
const itemsToRemove = 500;
splice(events, startIndex, itemsToRemove, itemsToInsert);
console.log(`Length after splice: ${events.length}`);
// Expected output: Length after splice: 16500 (15000 - 500 + 2000)
// Verify a few items around the spliced area
console.log('Item before splice start:', events[startIndex - 1]);
console.log('First inserted item:', events[startIndex]);
console.log('Last inserted item:', events[startIndex + itemsToInsert.length - 1]);
console.log('Item after inserted block:', events[startIndex + itemsToInsert.length]);
// Example of a small final push
events = push(events, [['final', { type: 'end' }, context]]);
console.log(`Length after final push: ${events.length}`);
// Expected output: Length after final push: 16501