lat. to repeat, to iterate
ES6 Iterator library for applying multiple transformations to a collection in a single iteration.
API Documentation
Motivation
Ever wanted to iterate over ES6 collections like Map or Set with Array-built-ins like map(), filter(), reduce()? Lets say you have a large Set of URIs and want to get a Set back that contains file paths from all file:// URIs.
The loop solution is very clumsy and not very functional:
const uris = new Set([
'file:///foo.txt',
'http:///npmjs.com',
'file:///bar/baz.txt'
])
const paths = new Set()
for (const uri of uris) {
if (!uri.startsWith('file://')) {
continue
}
const path = uri.substr('file:///'.length)
paths.add(path)
}Much more readable is converting the Set to an array, using its methods and then converting back:
new Set(
Array.from(uris)
.filter(uri => uri.startsWith('file://'))
.map(uri => uri.substr('file:///'.length))
)But there is a problem: Instead of iterating once, you iterate 4 times (one time for converting, one time for filtering, one time for mapping, one time for converting back). For a large Set with thousands of elements, this has significant overhead.
Other libraries like RxJS or plain NodeJS streams would support these kinds of "pipelines" without multiple iterations, but they work only asynchronously.
With this library you can use many methods you know and love from Array and lodash while only iterating once - thanks to the ES6 iterator protocol:
import iterate from 'iterare'
iterate(uris)
.filter(uri => uri.startsWith('file://'))
.map(uri => uri.substr('file:///'.length))
.toSet()iterate accepts any kind of Iterator or Iterable (arrays, collections, generators, ...) and returns a new Iterator object that can be passed to any Iterable-accepting function (collection constructors, Array.from(),
for of, ...). Only when you call a method like toSet(), reduce() or pass it to a for of loop will each value get pulled through the pipeline, and only once.
This library is essentially
- RxJS, but fully synchronous
- lodash, but with first-class support for ES6 collections.
Performance
Benchmark based on the example above:
| Method | ops/sec |
|---|---|
| Loop | 2,562,637 ops/sec ±3.95% (80 runs sampled) |
| iterare | 2,023,212 ops/sec ±1.38% (84 runs sampled) |
| Array method chain | 346,117 ops/sec ±2.68% (82 runs sampled) |
| Lodash (with lazy evalution) | 335,890 ops/sec ±0.55% (85 runs sampled) |
| RxJS | 29,480 ops/sec ±7.01% (51 runs sampled) |
Contributing
The source is written in TypeScript.
npm run buildcompiles TSnpm run watchcompiles on file changesnpm testruns testsnpm run benchmarkruns the benchmark
本文对你有帮助?欢迎扫码加入前端学习小组微信群:








