generators.ts
utils/generators.ts
No strong subsystem tag
89
Lines
2156
Bytes
3
Exports
0
Imports
10
Keywords
What this is
This page documents one file from the repository and includes its full source so you can read it without leaving the docs site.
Beginner explanation
This file is one piece of the larger system. Its name, directory, imports, and exports show where it fits. Start by reading the exports and related files first.
How it is used
Start from the exports list and related files. Those are the easiest clues for where this file fits into the system.
Expert explanation
Architecturally, this file intersects with general runtime concerns. It contains 89 lines, 0 detected imports, and 3 detected exports.
Important relationships
Detected exports
lastXreturnValuetoArray
Keywords
promisegeneratorasyncgeneratorvoidpromisesnextdoneno_valuewaitinglastvalue
Detected imports
- No import paths detected.
Source notes
This page embeds the full file contents. Small or leaf files are still indexed honestly instead of being over-explained.
Full source
const NO_VALUE = Symbol('NO_VALUE')
export async function lastX<A>(as: AsyncGenerator<A>): Promise<A> {
let lastValue: A | typeof NO_VALUE = NO_VALUE
for await (const a of as) {
lastValue = a
}
if (lastValue === NO_VALUE) {
throw new Error('No items in generator')
}
return lastValue
}
export async function returnValue<A>(
as: AsyncGenerator<unknown, A>,
): Promise<A> {
let e
do {
e = await as.next()
} while (!e.done)
return e.value
}
type QueuedGenerator<A> = {
done: boolean | void
value: A | void
generator: AsyncGenerator<A, void>
promise: Promise<QueuedGenerator<A>>
}
// Run all generators concurrently up to a concurrency cap, yielding values as they come in
export async function* all<A>(
generators: AsyncGenerator<A, void>[],
concurrencyCap = Infinity,
): AsyncGenerator<A, void> {
const next = (generator: AsyncGenerator<A, void>) => {
const promise: Promise<QueuedGenerator<A>> = generator
.next()
.then(({ done, value }) => ({
done,
value,
generator,
promise,
}))
return promise
}
const waiting = [...generators]
const promises = new Set<Promise<QueuedGenerator<A>>>()
// Start initial batch up to concurrency cap
while (promises.size < concurrencyCap && waiting.length > 0) {
const gen = waiting.shift()!
promises.add(next(gen))
}
while (promises.size > 0) {
const { done, value, generator, promise } = await Promise.race(promises)
promises.delete(promise)
if (!done) {
promises.add(next(generator))
// TODO: Clean this up
if (value !== undefined) {
yield value
}
} else if (waiting.length > 0) {
// Start a new generator when one finishes
const nextGen = waiting.shift()!
promises.add(next(nextGen))
}
}
}
export async function toArray<A>(
generator: AsyncGenerator<A, void>,
): Promise<A[]> {
const result: A[] = []
for await (const a of generator) {
result.push(a)
}
return result
}
export async function* fromArray<T>(values: T[]): AsyncGenerator<T, void> {
for (const value of values) {
yield value
}
}