Created
November 21, 2024 22:27
-
-
Save aleclarson/418001b27c232ab40cb1b27115a94ce4 to your computer and use it in GitHub Desktop.
Combine one or more async generators in TypeScript
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
* Merge multiple generators into a single generator. | |
*/ | |
function mergeGenerators<T>(generators: AsyncGenerator<T>[]): AsyncGenerator<T> | |
/** | |
* Merge multiple generators into a single generator. Whenever a generator | |
* yields, the `{done, value}` object is passed to `mapResult` to transform the | |
* value that will be yielded. | |
*/ | |
function mergeGenerators<T, U = T>( | |
generators: AsyncGenerator<T>[], | |
mapResult: (result: IteratorResult<T>) => U, | |
): AsyncGenerator<NonNullable<U>> | |
async function* mergeGenerators<T, U>( | |
generators: AsyncGenerator<T>[], | |
mapResult?: (result: IteratorResult<T>, index: number) => U, | |
) { | |
type IteratorPromise = Promise<{ | |
result: IteratorResult<T> | |
index: number | |
}> | |
const promises: (IteratorPromise | null)[] = generators.map((gen, index) => | |
gen.next().then(result => ({ result, index })), | |
) | |
while (promises.some(Boolean)) { | |
const { result, index } = (await Promise.race(promises.filter(Boolean)))! | |
if (mapResult) { | |
const value = mapResult(result, index) | |
if (value != null) { | |
yield value | |
} | |
} else if (!result.done) { | |
yield result.value | |
} | |
promises[index] = result.done | |
? null | |
: generators[index].next().then(result => ({ result, index })) | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment