takeUntilInclusive() function
주어진 f가 적용되었을 때 truthy가 될 때까지 값을 가져온 Iterable/AsyncIterable을 반환합니다.
Signature:
typescript
declare function takeUntilInclusive<A, B>(
f: (a: A) => B,
iterable: Iterable<A>,
): IterableIterator<A>;Example
ts
const iter = takeUntilInclusive((a) => a % 2 === 0, [1, 2, 3, 4, 5, 6]);
iter.next(); // {done:false, value: 1}
iter.next(); // {done:false, value: 2}
iter.next(); // {done:true, value: undefined}
// with pipe
pipe(
[1, 2, 3, 4, 5, 6],
takeUntilInclusive((a) => a % 2 === 0),
toArray,
); // [1, 2]
await pipe(
Promise.resolve([1, 2, 3, 4, 5, 6]),
takeUntilInclusive((a) => a % 2 === 0),
toArray,
); // [1, 2]
// if you want to use asynchronous callback
await pipe(
Promise.resolve([1, 2, 3, 4, 5, 6]),
toAsync,
takeUntilInclusive(async (a) => a % 2 === 0),
toArray,
); // [1, 2]
// with toAsync
await pipe(
[
Promise.resolve(1),
Promise.resolve(2),
Promise.resolve(3),
Promise.resolve(4),
Promise.resolve(5),
Promise.resolve(6),
],
toAsync,
takeUntilInclusive((a) => a % 2 === 0),
toArray,
); // [1, 2]