std/collections/take_while.ts
Liam Tait 683132f8d9
feat(collections/unstable): support Iterable argument in takeWhile() (#5911)
Co-authored-by: Yoshiya Hinosawa <stibium121@gmail.com>
Co-authored-by: Asher Gomez <ashersaupingomez@gmail.com>
2024-09-20 15:41:13 +09:00

45 lines
1.2 KiB
TypeScript

// Copyright 2018-2024 the Deno authors. All rights reserved. MIT license.
// This module is browser compatible.
/**
* Returns all elements in the given collection until the first element that
* does not match the given predicate.
*
* Note: If you want to process any iterable, use the new version of
* `takeWhile` from `@std/collections/unstable-take-while`.
*
* @typeParam T The type of the array elements.
*
* @param array The array to take elements from.
* @param predicate The predicate function to determine if an element should be
* included.
*
* @returns A new array containing all elements until the first element that
* does not match the predicate.
*
* @example Basic usage
* ```ts
* import { takeWhile } from "@std/collections/take-while";
* import { assertEquals } from "@std/assert";
*
* const numbers = [1, 2, 3, 4, 5, 6];
*
* const result = takeWhile(numbers, (number) => number < 4);
*
* assertEquals(result, [1, 2, 3]);
* ```
*/
export function takeWhile<T>(
array: readonly T[],
predicate: (el: T) => boolean,
): T[] {
let offset = 0;
const length = array.length;
while (length > offset && predicate(array[offset] as T)) {
offset++;
}
return array.slice(0, offset);
}