std
Installation
npm install @sandstreamdev/stdDocumentation
array
any
Checks if the given array is present and it is not empty (contains at least one element).
Type signature
(xs?: any[]) => booleanExamples
any([]);
// ⇒ falseany([1, 2, 3]);
// ⇒ trueQuestions
- How to check if an array is empty?
- How to check if an array is empty or null or undefined?
- How to check if an array is empty or not?
- How to check if an array is empty or doesn't exist?
are
Checks if the given arguments are all Arrays.
Type signature
(...xs: any[]) => booleanExamples
are([2, 3]);
// ⇒ trueare([1, 2, 3], []);
// ⇒ trueare([1, 2, 3], 8, [1, 3], "test");
// ⇒ falseQuestions
- How to check if all the given values are arrays?
chunk
Splits the given array into an array of chunks of up to the given length.
Type signature
(count: number) => (xs: any[]) => any[]Examples
chunk(2)(['a', 'b', 'c', 'd']);
// ⇒ [['a', 'b'], ['c', 'd']]chunk(3)(['a', 'b', 'c', 'd']);
// ⇒ [['a', 'b', 'c'], ['d']]Questions
- How to split an array into chunks?
- How to split an array into chunks of the same size?
difference
Computes a set difference between the two given arrays.
Type signature
(xs: any[], ys: any[]) => any[]Examples
difference([1, 2, 3, 4, 5, 6], [2, 4]);
// ⇒ [1, 3, 5, 6]Questions
- How to find elements which are present in the first array and not in the second?
differs
Checks if two arrays are not equal.
Type signature
(xs?: any[], ys?: any[]) => booleanExamples
differs([1, 2, 3], [1, 2]);
// ⇒ truediffers([1, 2, 3], [1, 2, 3]);
// ⇒ falseQuestions
- How to check if two arrays differ?
- How to check if two arrays are not equal?
- How to check if two arrays are equal or not?
duplicates
Lists all the duplicated values in the given array.
Type signature
(xs: any[]) => any[]Examples
duplicates([1, 2, 3, 4, 3, 4, 3, 6]);
// ⇒ [3, 4, 3]Questions
- How to find duplicates in an array?
empty
Empty array.
Type signature
any[]Examples
empty;
// ⇒ []Questions
- How to get an empty array?
exact
Takes exactly the given count of elements.
Type signature
(count: number) => (xs: any[]) => any[]Examples
exact(5)([1, 2, 3]);
// ⇒ [1, 2, 3, undefined, undefined]exact(2)([1, 2, 3]);
// ⇒ [1, 2]Questions
- How to get exactly N elements out of an array?
except
Filters out the given value.
Type signature
(y: any) => (xs: any[]) => any[]Examples
except(2)([1, 2, 3, 4, 5]);
// ⇒ [1, 3, 4, 5]except(2)([1, 2, 2, 4, 2]);
// ⇒ [1, 4]Questions
- How to get all the values of an array except the given one?
filterInPlace
Filters the given array with the given predicate just like Array.filter but does it in-place thus mutates the original array.
Type signature
(
f: (value: any, index: number, context: any[]) => boolean
) => (xs: any[]) => any[]Examples
const xs = [1, 2, 3, 4, 5, 6, 7];
const odd = x => x % 2 === 1;
const ys = filterInPlace(odd)(xs);
ys === xs;
// ⇒ true
ys;
// ⇒ [1, 3, 5, 7]Questions
- How to filter an array in place?
find
Finds an element by a predicate function within the given array, otherwise, it returns the given fallback value or undefined when fallback is not present.
Type signature
(
predicate: (value: any, index: number, context: any[]) => boolean,
fallback?: any
) => (xs: any[]) => anyExamples
find(x => x > 2)([1, 2, 3, 5, 7]);
// ⇒ 3find(x => x > 2)([1, 2, -3, -5, -7]);
// ⇒ undefinedQuestions
- How to find an element of an array by a given predicate?
first
Returns the first element or undefined when there are no elements in the given array.
Type signature
([x]: [any]) => anyExamples
first([1, 2, 3]);
// ⇒ 1first([]);
// ⇒ undefinedQuestions
- How to get the first element of an array?
flatMap
Maps and flattens the result.
Type signature
(
f: (value: any, index: number, context: any[]) => any
) => (xs: any[]) => anyExamples
flatMap(text => [...text])(["test", "123"]);
// ⇒ ["t", "e", "s", "t", "1", "2", "3"]Questions
- How to flat map an array?
- How to map and then flatten an array?
flatten
Flattens the nested arrays by a single level.
Type signature
(xs: any) => any[]Examples
flatten([1, [2, 3], 4, [5, 6]]);
// ⇒ [1, 2, 3, 4, 5, 6]flatten([1, [2, [3, 6]], 4, [5, 6]]);
// ⇒ [1, 2, [3, 6], 4, 5, 6]Questions
- How to flatten an array?
insert
Inserts the given item to the array at a specific index.
Type signature
(
index: number
) => (item: any) => ([...xs]: any[]) => any[]Examples
insert(0)('d')(['a', 'b', 'c']);
// ⇒ ['d', 'a', 'b', 'c']insert(1)('d')(['a', 'b', 'c']);
// ⇒ ['a', 'd', 'b', 'c']Questions
- How to insert an element to an array at a given position?
intersection
Finds common elements between both arrays.
Type signature
(xs: any[], ys: any[]) => any[]Examples
intersection([1, 2, 3, 4, 5], [5, 5, 3, 2]);
// ⇒ [2, 3, 5]Questions
- How to find common elements present in both arrays?
is
Checks if the given argument is an array.
Type signature
(value?: any) => booleanExamples
is([1, 2, 3]);
// ⇒ trueis({ a: 5 });
// ⇒ falseQuestions
- How to check if a value is an array?
last
Returns the last element or undefined when there are no elements in the given array.
Type signature
(xs: any[]) => anyExamples
last([1, 2, 3]);
// ⇒ 3last([]);
// ⇒ undefinedQuestions
- How to get the last element of an array?
length
Returns the number of elements in the given array.
Type signature
(xs: any[]) => numberExamples
length([true, 1]);
// ⇒ 2length([1, 2, 3]);
// ⇒ 3length([]);
// ⇒ 0Questions
- How to check an array's length?
- How to compute an array's length?
- How to check the size of an array?
- How to check the number of elements in an array?
lengthDiffers
Checks if lengths of the given arrays differ.
Type signature
(a: any[], b: any[]) => booleanExamples
lengthDiffers([1, 2, 3], [1, 2]);
// ⇒ truelengthDiffers([6, 7], [1, 2]);
// ⇒ falseQuestions
- How to check if array lengths differ?
- How to check if the given arrays have different lengths?
map
Maps the given array with the given functions.
Type signature
(...fs: ((x: any) => any)[]) => (xs: any) => anyExamples
map(x => x * x)([1, 2, 3]);
// ⇒ [1, 4, 9]map(x => x * x, x => x + 1)([1, 2, 3]);
// ⇒ [2, 5, 10]Questions
- How to map an array?
midpoint
Returns the middle element or the right one when the number of elements is even.
Type signature
(xs: any[]) => anyExamples
midpoint([1, 2, 3, 4, 5]);
// ⇒ 3midpoint([1, 2, 3, 4]);
// ⇒ 3Questions
- How to get the element in the middle of an array?
- How to get the middle element of an array?
minMax
Computes minimum and maximum values of the given array in a single run.
Type signature
(xs: number[]) => number[]Examples
minMax([10, 5, 3, -5, -4, 23, 32, 8, 1, 0]);
// ⇒ [-5, 32]minMax([1]);
// ⇒ [1, 1]minMax([]);
// ⇒ [undefined, undefined]Questions
- How to find the minimum and maximum values of an array?
- How to get the min/max element of an array?
multiple
Checks if the given array contains more than one element.
Type signature
(xs: any) => booleanExamples
multiple([1, 2, 3]);
// ⇒ truemultiple([1, 2]);
// ⇒ truemultiple([1]);
// ⇒ falsemultiple([]);
// ⇒ falseQuestions
- How to check if an array contains multiple elements?
- How to check whether multiple values exist within an array?
none
Checks if the given array is empty.
Type signature
(xs?: any) => booleanExamples
none([]);
// ⇒ truenone([1, 2, 3]);
// ⇒ falseQuestions
- How to check if an array is empty?
partition
Partitions the given array to the ones that pass the given predicate function and the ones that do not. By convention of the Haskell's Data.Either, values that pass the predicate are placed at the right.
Type signature
(predicate: (x: any) => boolean) => (xs: any[]) => anyExamples
partition(x => x % 2 === 1)([1, 2, 3, 4, 5]);
// ⇒ [[2, 4], [1, 3, 5]])Questions
- How to partition an array based on a condition?
- How to divide an array by a filter function?
pop
Returns the given array without the last element.
Type signature
(xs: any[]) => any[]Examples
pop([1, 2, 3, 4]); // ⇒ [1, 2, 3]pop([]); // ⇒ []Questions
- How to get an array without the last element?
- How to remove the last element from an array?
range
Generates an array of numbers from 0 to n - 1.
Type signature
(n: any) => number[]Examples
range(3);
// ⇒ [0, 1, 2]Questions
- How to create an array of all integers from 0 to N exclusive?
removeAt
Removes an element at the given index from the given array.
Type signature
(index: number) => (xs: any[]) => any[]Examples
removeAt(3)([1, 2, 3, 4, 5, 6])
// ⇒ [1, 2, 3, 5, 6]Questions
- How to remove an item from an array at a particular index?
repeat
Repeats the given element by the given count of times.
Type signature
(count: number) => (value: any) => any[]Examples
repeat(3)("test");
// ⇒ ["test", "test", "test"]Questions
- How to repeat a value N times?
reverse
Reverses the given array without mutating it (in contrast to Array.reverse).
Type signature
(xs: any) => any[]Examples
reverse([1, 2, 3, 4, 5]);
// ⇒ [5, 4, 3, 2, 1]Questions
- How to reverse an array without mutating it?
reverseIf
Reverses the given array when enabled.
Type signature
(enabled: boolean) => (xs: any) => anyExamples
reverseIf(true)([1, 2, 3, 4, 5]);
// ⇒ [5, 4, 3, 2, 1]reverseIf(false)([1, 2, 3, 4, 5]);
// ⇒ [1, 2, 3, 4, 5]Questions
- How to reverse an array without mutating it only when a condition is satisfied?
second
Returns the second element or undefined when there are less than two elements in the given array.
Type signature
(xs: any[]) => anyExamples
second([1, 2, 3, 4, 5]);
// ⇒ 2second([1]);
// ⇒ undefinedsecond([]);
// ⇒ undefinedQuestions
- How to get the second element of an array?
secondToLast
Returns the second to last element or undefined when there are less than two elements in the given array.
Type signature
(xs: any[]) => anyExamples
secondToLast([1, 2, 3, 4, 5]);
// ⇒ 4secondToLast([1]);
// ⇒ undefinedsecondToLast([]);
// ⇒ undefinedQuestions
- How to get the second to last element of an array?
shift
Shifts the given array to the left and circulates the elements back by modulo of the array's length.
Type signature
(count: number) => (xs: any[]) => any[]Examples
shift(1)([1, 2, 3, 4, 5]);
// ⇒ [2, 3, 4, 5, 1]shift(2)([1, 2, 3, 4, 5]);
// ⇒ [3, 4, 5, 1, 2]shift(3)([1, 2, 3, 4, 5]);
// ⇒ [4, 5, 1, 2, 3]Questions
- How to shift an array?
shuffle
Shuffles the given array in random order with Math.random as the default.
Type signature
(xs: any, random?: () => number) => any[]Examples
let i = 0;
const random = () =>
[
0.013606630487694282,
0.21052486239086554,
0.28299838254636556,
0.696161009199874,
0.32165320593537117
][i++];
shuffle([1, 2, 3, 4, 5], random); // => [3, 5, 4, 2, 1]Questions
- How to shuffle an array?
shuffleInPlace
Shuffles the given array in-place in random order with Math.random as the default.
Type signature
(xs: any[], random?: () => number) => any[]Examples
let i = 0;
const random = () =>
[
0.013606630487694282,
0.21052486239086554,
0.28299838254636556,
0.696161009199874,
0.32165320593537117
][i++];
shuffleInPlace([1, 2, 3, 4, 5], random); // => [3, 5, 4, 2, 1]Questions
- How to shuffle an array in place?
single
Checks if the given array contains exactly one element.
Type signature
(xs: any[]) => booleanExamples
single([1]);
// ⇒ truesingle([1, 2, 3]);
// ⇒ falsesingle([]);
// ⇒ falseQuestions
- How to check if an array contains only one element?
skip
Skips the given count of elements from the given array.
Type signature
(count: number) => (xs: any[]) => any[]Examples
skip(2)([1, 2, 3, 4, 5]);
// ⇒ [3, 4, 5]Questions
- How to skip the first few elements of an array?
slidingWindow
Returns a new array composed of tuples of the given sliding window length of consecutive elements.
Type signature
(count: number) => (xs: any[]) => any[][]Examples
slidingWindow(2)([1, 2, 3, 4]);
// ⇒ [[1, 2], [2, 3], [3, 4]]slidingWindow(3)([1, 2, 3, 4, 5]);
// ⇒ [[1, 2, 3], [2, 3, 4], [3, 4, 5]]slidingWindow(1)([1, 2, 3, 4, 5, 6]);
// ⇒ [[1], [2], [3], [4], [5], [6]]Questions
- How to iterate an array pairwise?
sort
Sorts the given array without mutating it.
Type signature
(
f?: (a: any, b: any) => number
) => (xs: any[]) => any[]Examples
sort((a, b) => a - b)([13, 79, 20, 69, 44, 67, 18, 95, 26, 55]);
// ⇒ [13, 18, 20, 26, 44, 55, 67, 69, 79, 95]Questions
- How to sort an array without mutating it?
sum
Sums the given array of numbers.
Type signature
(xs: number[]) => numberExamples
sum([1, 2, 3, 4, 5]);
// ⇒ 15Questions
- How to sum elements of an array?
take
Takes up to a given count of elements.
Type signature
(count: number) => (xs: any[]) => any[]Examples
take(2)([1, 2, 3, 4, 5]);
// ⇒ [1, 2]take(10)([1, 2, 3, 4, 5]);
// ⇒ [1, 2, 3, 4, 5]Questions
- How to get the first N number of elements from an array?
unique
Returns unique elements of the given array.
Type signature
(xs: any[]) => any[]Examples
unique([1, 2, 3, 4, 3, 4, 3, 6]);
// ⇒ [1, 2, 3, 4, 6]Questions
- How to find all unique values in an array?
uniqueBy
Filters out duplicated values based on the result of the given key selector.
Type signature
(f: (x: any) => any) => (xs: any[]) => any[]Examples
uniqueBy(({ id }) => id)([
{ id: 1, value: 'a' },
{ id: 2, value: 'b' },
{ id: 1, value: 'c' }
])
// ⇒ [{ id: 1, value: 'c' }, { id: 2, value: 'b' }]Questions
- How to find all unique values in an array by some predicate?
zip
Zips the given arrays together into pairs.
Type signature
(xs: any[], ys: any[]) => any[][]Examples
zip([1, 2, 3], [4, 5, 6]);
// ⇒ [[1, 4],[2, 5],[3, 6]]Questions
- How to zip two arrays?
zipN
Zips the given arrays together into pairs.
Type signature
(...xs: any[][]) => any[][]Examples
zipN([1, 2, 3], [4, 5, 6]);
// ⇒ [[1, 4], [2, 5], [3, 6]]zipN([1, 2, 3], [4, 5, 6], [7, 8, 9]);
// ⇒ [[1, 4, 7], [2, 5, 8], [3, 6, 9]]zipN([1, 2], [4, 5, 6], [7, 8, 9]);
// ⇒ [[1, 4, 7],[2, 5, 8]]Questions
- How to zip multiple arrays?
zipWith
Zips the given arrays together with the given function.
Type signature
(
f?: (x: any, y: any) => any[]
) => (xs: any[], ys: any[]) => any[][]Examples
zipWith((x, y) => x * x + y)([1, 2, 3], [4, 5, 6]);
// ⇒ [5, 9, 15]Questions
- How to zip two arrays with a given function?
async
debounce
Makes the function run after the given period of not being called. Useful to delay input submission for auto-complete etc.
Type signature
(
f: (...args: any[]) => any,
wait: number
) => (...args: any[]) => voidExamples
const f = () => console.log("Test");
const debounced = debounce(f, 2000);
debounced();
setTimeout(debounced, 1000);
setTimeout(debounced, 3000);Questions
- How to make function fire after some time not being called?
- How to debounce input events?
- How to debounce a function?
delay
When awaited, delays the execution by the given number of milliseconds.
Type signature
(duration: number) => Promise<unknown>Examples
delay(2000)(() => console.log("Test"));Questions
- How to delay a function?
- What is the JavaScript version of sleep()?
sequence
Runs the given tasks in a sequence.
Type signature
(
tasks: {
(): Promise<any>;
}[]
) => Promise<any[]>Examples
const f = () => new Promise(resolve => setTimeout(resolve, 1000));
const g = () => new Promise(resolve => setTimeout(resolve, 2000));
sequence([f, g]).then(() => console.log("Done"));Questions
- How to run async tasks sequentially?
date
clamp
Clamps the given date to the given date range.
Type signature
(min: Date, max: Date) => (date: Date) => DateExamples
const date = new Date("2019-06-15T13:54:33.232Z");
const min = new Date("2019-02-23T13:54:33.232Z");
const max = new Date("2019-03-13T13:54:33.232Z");
clamp(min, max)(date);
// => new Date("2019-03-13T13:54:33.232Z")Questions
- How to clamp a date to the desired date range?
- How to enforce a date to be in a given date range?
clone
Clones the given Date object.
Type signature
(date: Date) => DateExamples
const date = new new Date("2019-04-24T13:54:33.232Z");
const cloned = clone(date);
cloned !== date && cloned.valueOf() === date.valueOf();
// ⇒ trueQuestions
- How to clone a Date object?
dateDiff
Computes a signed difference between two Date objects as milliseconds.
Type signature
(a: Date, b: Date) => numberExamples
dateDiff(new Date("2017-01-01T13:00:00.000Z"), new Date("2017-01-01T12:00:00.000Z"));
// ⇒ 3600000Questions
- How to compute Date difference?
dateInRange
Checks if the given date is between the given date range (inclusive).
Type signature
(from: Date, to: Date) => (date: Date) => booleanExamples
dateInRange(new Date("2018-06-10T12:00:00.000Z"), new Date("2018-06-20T12:00:00.000Z"))(new Date("2018-06-15T12:00:00.000Z"));
// ⇒ trueQuestions
- How to check if a date is within a given date range?
dayRange
Returns a local day range at a particular Date.
Type signature
(date: Date) => Date[]Examples
const date = new Date("2018-12-31T13:54:33.232Z");
dayRange(date);
// ⇒ [startOfDay(date), endOfDay(date)]Questions
- How to find a date range of a given day?
daysInMonths
Returns an array of days in a particular months. Number of days in February varies if it is a leap year or not.
Type signature
(
leapYear: boolean
) => [
number,
number,
number,
number,
number,
number,
number,
number,
number,
number,
number,
number
]Examples
daysInMonths(false);
// ⇒ [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31]daysInMonths(true);
// ⇒ [31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31]Questions
- How to find out how many days are in a particular month?
- How to find out how many days there are in a leap year?
daysInYear
Calculates the number of days in a particular year. Varies by the leap year.
Type signature
(year: number) => 366 | 365Examples
daysInYear(2019);
// ⇒ 365daysInYear(2020);
// ⇒ 366Questions
- How many days are in a particular year?
- How many days are in a leap year?
- How many days are in a common year?
displayTime
Displays padded time string.
Type signature
(
source: [number, number, number],
showSeconds: boolean
) => stringExamples
displayTime([5, 12, 16], false);
// ⇒ 05:12displayTime([5, 12, 16], true);
// ⇒ 05:12:16Questions
- How to display padded time?
endOfDay
Returns a local Date of an end of the day at a particular Date.
Type signature
(date: Date) => DateExamples
endOfDay(new Date("2018-12-31T13:54:33.232Z"));
// ⇒ new Date(new Date("2019-01-01T00:00:00.000Z").valueOf() + new Date("2018-12-31T13:54:33.232Z").getTimezoneOffset() * 60 * 1000)Questions
- How to find a date of an end of a given day?
formatDate
Formats a given date as a simple YYYY-MM-DD string.
Type signature
(date: Date) => stringExamples
formatDate(new Date("2019-02-24T01:12:34"));
// ⇒ "2019-02-24"Questions
- How to render a date in a YYYY-MM-DD format?
formatDateTime
Formats a given date as a simple YYYY-MM-DD HH:MM(:SS) string.
Type signature
(sourceDate: Date, showSeconds?: boolean) => stringExamples
formatDateTime(new Date("2019-02-24T01:12:34"));
// ⇒ "2019-02-24 01:12"formatDateTime(new Date("2019-02-24T01:12:34"), true);
// ⇒ "2019-02-24 01:12:34"Questions
- How to render a date in a YYYY-MM-DD HH:MM format?
- How to render a date in a YYYY-MM-DD HH:MM:SS format?
formatDuration
Formats a duration in milliseconds to a padded time string.
Type signature
(duration: number, showSeconds?: boolean) => stringExamples
formatDuration(26100000);
// ⇒ 07:15formatDuration(26136000, true);
// ⇒ 07:15:36Questions
- How to render a formatted duration?
formatTime
Formats a given date as a simple HH:MM(:SS) string.
Type signature
(date: Date, showSeconds?: boolean) => stringExamples
formatTime(new Date("2019-02-24T01:12:34"));
// ⇒ "01:12"formatTime(new Date("2019-02-24T01:12:34"), true);
// ⇒ "01:12:34"Questions
- How to render a date in a HH:MM format?
- How to render a date in a HH:MM:SS format?
fromDays
Converts the given day count to milliseconds.
Type signature
(days: number) => numberExamples
fromDays(1);
// ⇒ 86400000Questions
- How to find how many milliseconds are in a given number of days?
fromHours
Converts the given hour count to milliseconds.
Type signature
(hours: number) => numberExamples
fromHours(1);
// ⇒ 3600000Questions
- How to find how many milliseconds are in a given number of hours?
fromMinutes
Converts the given minute count to milliseconds.
Type signature
(minutes: number) => numberExamples
fromMinutes(1);
// ⇒ 60000Questions
- How to find how many milliseconds are in a given number of minutes?
fromSeconds
Converts the given second count to milliseconds.
Type signature
(seconds: number) => numberExamples
fromSeconds(1);
// ⇒ 1000Questions
- How to find how many milliseconds are in a given number of seconds?
joinDateTime
Joins a date-time pair into a date-time string.
Type signature
(date: string, time: string) => stringExamples
joinDateTime("2019-01-15", "13:54:33.232Z");
// ⇒ "2019-01-15T13:54:33.232Z"Questions
- How to join date and time to get ISO-compliant date-time string?
leapYear
Detects if a given year is a leap year.
Type signature
(year: number) => booleanExamples
leapYear(2020);
// ⇒ trueleapYear(2019);
// ⇒ falseQuestions
- How to find if the given year is a leap year?
parseHourMinutePair
Parses HH:MM string into hours and minutes.
Type signature
(text?: string) => [number, number]Examples
parseHourMinutePair("12:34");
// ⇒ [12, 34]Questions
- How to parse time string into hours and minutes?
splitDateTime
Splits a date-time string into a date-time pair.
Type signature
(dateTimeString: string) => [string, string]Examples
splitDateTime("2019-01-15T13:54:33.232Z");
// ⇒ ["2019-01-15", "13:54:33.232Z"]Questions
- How to split ISO-compliant date-time string into a date and time pair?
startOfDay
Returns a local Date of a start of the day at a particular Date.
Type signature
(date: Date) => DateExamples
endOfDay(new Date("2019-01-01T13:54:33.232Z"));
// ⇒ new Date(new Date("2019-01-01T00:00:00.000Z").valueOf() + new Date("2019-01-01T13:54:33.232Z").getTimezoneOffset() * 60 * 1000)Questions
- How to find a date of the start of a given day?
subtractDays
Subtracts the given number of days from the given Date object.
Type signature
(sourceDate: Date, numberOfDays: number) => DateExamples
subtractDays(new Date("2019-01-15T13:54:33.232Z"), 1);
// ⇒ new Date("2019-01-14T13:54:33.232Z")Questions
- How to subtract days from a given date?
toDate
Extracts padded YYYY-MM-DD date string out of the given date object.
Type signature
(date: Date) => stringExamples
toDate(new Date("2019-01-15T12:00:00.000Z"));
// ⇒ "2019-01-15"Questions
- How to get only the date from a Date object?
toDates
Converts the given array of values into Dates using the Date constructor.
Type signature
(xs: (string | number | Date)[]) => Date[]Examples
toDates(["2019-01-15T13:54:33.232Z", new Date("2019-01-15T13:54:33.232Z").valueOf(), new Date("2019-01-15T13:54:33.232Z")]);
// ⇒ [new Date("2019-01-15T13:54:33.232Z"), new Date("2019-01-15T13:54:33.232Z"), new Date("2019-01-15T13:54:33.232Z")]Questions
- How to convert an array of string and timestamps into an array of Date objects?
toDays
Converts milliseconds into days.
Type signature
(milliseconds: number) => numberExamples
toDays(86400000);
// ⇒ 1Questions
- How to convert milliseconds into days?
toHours
Converts milliseconds into hours.
Type signature
(milliseconds: number) => numberExamples
toHours(3600000);
// ⇒ 1Questions
- How to convert milliseconds into hours?
toISO
Returns an ISO-compliant date-time string.
Type signature
(x: Date) => stringExamples
toISO(new Date("2019-04-24T13:54:33.232Z"));
// ⇒ "2019-04-24T13:54:33.232Z"Questions
- How to convert Date object to ISO-compliant date string?
toMinutes
Converts milliseconds into minutes.
Type signature
(milliseconds: number) => numberExamples
toMinutes(60000);
// ⇒ 1Questions
- How to convert milliseconds into minutes?
toSeconds
Converts milliseconds into seconds.
Type signature
(milliseconds: number) => numberExamples
toSeconds(1000);
// ⇒ 1Questions
- How to convert milliseconds into seconds?
valid
Checks if the given date is present and it is valid.
Type signature
(date?: any) => booleanExamples
valid(new Date("2020-01-31T09:52:31.618Z"));
// ⇒ truevalid(new Date("2020-01-42:52:31.618Z"));
// ⇒ falsevalid(new Date("test"));
// ⇒ falsevalid(undefined);
// ⇒ falseQuestions
- How to check if a Date is valid or not?
debug
assert
Asserts given conditions.
Type signature
(
condition: boolean,
callbackOrMessage:
| {
(): void;
}
| string
) => voidExamples
assert(true === false);
// ⇒ TypeError("Assertion failed!")Questions
- How to assert a condition?
- How to throw when a condition is not satisfied?
diff
Computes a deep difference between the two values (primitives, objects, arrays, etc.).
Type signature
(
obj1?: {
[index: string]: any;
},
obj2?: {
[index: string]: any;
}
) => objectExamples
diff({ a: 1 }, { a: 2 });
// ⇒ { a: { data: [1, 2], type: '~' }}Questions
- How to compute a diff?
- How to compute a deep diff?
- How to compute a diff between two objects?
- How to compute a diff between two arrays?
encoding
base64url
decode
Decodes the given Base64URL back into a string.
Type signature
(text: string, context?: DecodeContext) => stringExamples
decode("PDw_Pz8-Pg");
// ⇒ "<<???>>"Questions
- How to decode Base64URL?
decodeBytes
Decodes the given Base64URL back into a byte array.
Type signature
(text: string, context?: DecodeContext) => number[]Examples
decodeBytes("w4Jnw6vCp20-bBsQfA");
// ⇒ [0xc2, 0x67, 0xeb, 0xa7, 0x6d, 0x3e, 0x6c, 0x1b, 0x10, 0x7c]Questions
- How to decode Base64URL into a byte array?
encode
Encodes the given string into Base64URL.
Type signature
(text: string, context?: EncodeContext) => stringExamples
encode("<<???>>");
// ⇒ "PDw_Pz8-Pg"Questions
- How to encode a string as Base64URL?
encodeBytes
Encodes the given bytes into Base64URL.
Type signature
(bytes: number[], context?: EncodeContext) => stringExamples
encodeBytes([0xc2, 0x67, 0xeb, 0xa7, 0x6d, 0x3e, 0x6c, 0x1b, 0x10, 0x7c]);
// ⇒ "w4Jnw6vCp20-bBsQfA"Questions
- How to encode bytes as Base64URL?
fromBase64
Converts Base64 string into Base64URL one.
Type signature
(base64: string) => stringExamples
fromBase64("PDw/Pz8+Pg==");
// ⇒ "PDw_Pz8-Pg"Questions
- How to convert Base64 to Base64URL?
toBase64
Converts Base64URL string into Base64 one.
Type signature
(base64Url: string) => stringExamples
toBase64("PDw_Pz8-Pg");
// ⇒ "PDw/Pz8+Pg=="Questions
- How to convert Base64URL to Base64?
byteString
from
Converts a string to a byte array.
Type signature
(byteString: string) => number[]Examples
from("PQR");
// ⇒ [80, 81, 82]Questions
- How to convert a string into a byte array?
to
Coverts a byte array into a string.
Type signature
(bytes: number[]) => stringExamples
to([0x50, 0x51, 0x52]);
// ⇒ "PQR"Questions
- How to convert a byte array to string?
file
validName
Checks if the given string is a valid Windows file name.
Type signature
(name: string) => booleanExamples
validName("my:file.png");
// ⇒ falsevalidName("file.txt");
// ⇒ truevalidName("../file.txt");
// ⇒ falsevalidName("COM1");
// ⇒ falseQuestions
- How to find valid Windows file name?
- How to check if a given string is a legal/valid file name under Windows?
function
compose
Composes multiple functions into a higher-order one. Goes right to left.
Type signature
(...fs: ((x: any) => any)[]) => (x: any) => anyExamples
compose(x => x * x, x => x + 1)(3);
// ⇒ 16Questions
- How to compose functions?
constant
Returns the given constant no matter the input.
Type signature
(x: any) => anyExamples
constant(3)("anything");
// ⇒ 3Questions
- How to create a function that always returns the same value despite given arguments?
identity
Always return the given value.
Type signature
(x: any) => anyExamples
identity(5);
// ⇒ 5identity("test");
// ⇒ "test"Questions
- How to use the identity function?
- Where and why is identity function useful?
memoize
Memoizes the function result so it is not computed for the same parameters. Uses deep equality.
Type signature
(f: (...xs: any[]) => any) => (...args: any[]) => anyExamples
const f = x => { console.log(x); return x + 1; };
const memoized = memoize(f);
memoized(5);
memoized(5);
memoized(5);
memoized(3);Questions
- How to memoize a function?
memoizeShallow
Memoizes the function result so it is not computed for the same parameters. Uses shallow equality.
Type signature
(f: (...xs: any[]) => any) => (...args: any[]) => anyExamples
const f = ({ x }) => { console.log(x); return x + 1; };
const memoized = memoizeShallow(f);
memoized({ x: 5 });
memoized({ x: 5 });
memoized({ x: 5 });
memoized({ x: 3 });Questions
- How to memoize a function with shallow equality?
memoizeWith
Memoizes the function result so it is not computed for the same parameters. Uses the given equality function.
Type signature
(
equals: (x: any, y: any) => boolean
) => (f: (...xs: any[]) => any) => (...args: any[]) => anyExamples
const f = ({ x }) => { console.log(x); return x + 1; };
const memoized = memoizeWith((a, b) => a.x === b.x)(f);
memoized({ x: 5 });
memoized({ x: 5 });
memoized({ x: 5 });
memoized({ x: 3 });Questions
- How to memoize a function with a custom equality function?
noOp
It does exactly nothing.
Type signature
() => voidExamples
noOp("anything");
// ⇒ undefinedQuestions
- How to create a function that does nothing?
not
Inverts the given function result.
Type signature
(
f: (...xs: any[]) => any
) => (...args: any[]) => booleanExamples
not(x > 10)(15);
// ⇒ trueQuestions
- How to invert a boolean function?
pipe
Pipes an input through given functions.
Type signature
(...fs: ((x: any) => any)[]) => (x: any) => anyExamples
pipe(x => x * x, x => x + 1)(3);
// ⇒ 10Questions
- How to pipe an argument through a function?
when
Runs the given function only when the condition is met.
Type signature
(
predicate: (...xs: any[]) => boolean
) => (action: (...xs: any[]) => any) => (...args: any[]) => anyExamples
when(x => x > 0)(x => console.log(x))(5);
when(x => x > 0)(x => console.log(x))(-3);Questions
- How to run a function only when a condition is satisfied?
whenTrue
Runs the given function only when the condition is exactly true.
Type signature
(
action: (...xs: any[]) => any
) => (...args: any[]) => anyExamples
whenTrue(x => console.log(x))(false);
when(x => x > 0)(x => console.log(x))(true);Questions
- How to run a function only if its argument is true?
- How to execute function only if a variable is true?
is
array
Checks if the given argument is an array.
Type signature
(x?: any) => booleanExamples
array([1, 2, 3]);
// ⇒ truearray({ a: 1 });
// ⇒ falseQuestions
- How to check if a given value is an array?
boolean
Checks if the given value is a boolean.
Type signature
(x?: any) => booleanExamples
boolean(false); // ⇒ trueboolean(1); // ⇒ falseQuestions
- How to check if a given value is a boolean?
byte
Checks if the given value is a byte.
Type signature
(x?: number) => booleanExamples
byte(128);
// ⇒ truebyte(325);
// ⇒ falsebyte(65.5);
// ⇒ falseQuestions
- How to check if a given value is a byte?
- How to check if a given number is a byte?
date
Checks if the given value is a Date object.
Type signature
(x?: any) => booleanExamples
date(new Date());
// ⇒ truedate(123);
// ⇒ falseQuestions
- How to check if a given value is a Date object?
defined
Checks if the given value is defined.
Type signature
(x?: any) => booleanExamples
defined(undefined);
// ⇒ falsedefined(null);
// ⇒ truedefined(0);
// ⇒ truedefined({ a: 1 });
// ⇒ trueQuestions
- How to check if a given value is defined?
- How to check if a given value is not undefined?
function
Checks if the given value is a function.
Type signature
(x?: any) => booleanExamples
_function(x => x + 5);
// ⇒ trueQuestions
- How to check if a given value is a function?
integer
Checks if the given value is an integer.
Type signature
(x?: number) => booleanExamples
integer(5);
// ⇒ trueinteger(32.5);
// ⇒ falseQuestions
- How to check if a given value is an integer?
- How to check if a given number is an integer?
nonNullable
Checks and asserts the given value is not null or undefined.
Type signature
<T>(val: T) => val is NonNullable<T>Examples
nonNullable(null);
// ⇒ falsenonNullable(undefined);
// ⇒ falsenonNullable(false);
// ⇒ truenonNullable({ a: 1 });
// ⇒ trueQuestions
- How to check if a given value is non-nullable?
- How to check if a given value is not null?
- How to check if a given value is not undefined?
normal
Checks if the given value is a number in a normal range [0, 1].
Type signature
(x?: number) => booleanExamples
normal(0.75);
// ⇒ truenormal(-1);
// ⇒ falsenormal(2.5);
// ⇒ falseQuestions
- How to check if a given value is in 0 to 1 inclusive range?
number
Checks if the given value is a number.
Type signature
(x?: any) => booleanExamples
number(0 / 0);
// ⇒ falsenumber(15.6);
// ⇒ trueQuestions
- How to check if a given value is a valid number?
- How to check if a given value is not NaN?
- How to check if a given value is finite?
object
Checks if the given value is an object.
Type signature
(x?: any) => booleanExamples
object({ a: 1, b: 2 });
// ⇒ trueobject([1, 2, 3]);
// ⇒ falseQuestions
- How to check if a given value is an object?
string
Checks if the given value is a string.
Type signature
(x?: any) => booleanExamples
string("Test");
// ⇒ truestring(['T', 'e', 's', 't']);
// ⇒ falseQuestions
- How to check if a given value is a string?
math
add
Adds two values.
Type signature
(a: number, b: number) => numberExamples
add(3, 5);
// ⇒ 8Questions
- How to add two values?
average
Calculates the average of the given array of numbers.
Type signature
(xs?: number[]) => numberExamples
average([2, 4, 15]);
// ⇒ 7Questions
- How to compute the average of an array?
ceilToNearestPowerOfTwo
Finds the nearest power of two greater or equal to the given value.
Type signature
(x: number) => numberExamples
ceilToNearestPowerOfTwo(345);
// ⇒ 512Questions
- How to get the nearest power of two greater or equal to the given value?
clamp
Clamps the given value to the given range.
Type signature
(min: number, max: number) => (x: number) => numberExamples
clamp(0, 10)(5);
// ⇒ 5clamp(0, 10)(-5);
// ⇒ 0clamp(0, 10)(15);
// ⇒ 10Questions
- How to clamp value to the desired range?
- How to enforce a value to be in a given range?
clampNormal
Clamps the given value to the [0, 1] range.
Type signature
(x: number) => numberExamples
clampNormal(0.5);
// ⇒ 0.5clampNormal(-0.5);
// ⇒ 0clampNormal(1.5);
// ⇒ 1Questions
- How to clamp value to be in 0 to 1 inclusive range?
- How to clamp value to be in the normal range?
clampPercentage
Clamps the given value to the [0, 100] range.
Type signature
(x: number) => numberExamples
clampPercentage(50);
// ⇒ 50clampPercentage(-50);
// ⇒ 0clampPercentage(150);
// ⇒ 100Questions
- How to enforce a percentage be between 0% and 100%?
delta
Calculates the absolute distance between given values.
Type signature
(a: number, b: number) => numberExamples
delta(-3, 5);
// ⇒ 8Questions
- How to calculate an absolute distance between two numbers?
inRectangleRange
Checks if the given value is in the rectangular range of [0, width] and [0, height]
Type signature
(
width: number,
height: number
) => (x: number, y: number) => booleanExamples
inRectangleRange(50, 100)(25, 50);
// ⇒ trueinRectangleRange(50, 100)(-25, 50);
// ⇒ falseQuestions
- How to check if a point is inside a rectangle defined by width and height?
lerp
Linearly interpolates two given values by the normal value of their distance.
Type signature
(t: number) => (a: number, b: number) => numberExamples
lerp(0.5)(0, 10);
// ⇒ 5lerp(0)(0, 10);
// ⇒ 0lerp(1)(0, 10);
// ⇒ 10Questions
- How to linearly interpolate between two values?
- How to interpolate two numbers?
maximumBy
Calculates the maximum by a given selector.
Type signature
(f: (x: number) => number) => (xs: number[]) => numberExamples
maximumBy(({ age }) => age)([{ age: 13 }, { age: 20 }, { age: 7 }, { age: 18 }]);
// ⇒ { age: 20 }Questions
- How to find a maximum element by a given function?
median
Calculates the median of the values. If there is an even number of items, the average of the middle ones is returned.
Type signature
(xs?: number[]) => number | undefinedExamples
median([-5, 3, 2, 29, 43]);
// ⇒ 3Questions
- How to compute a median of an array?
minMax
Calculates the minimum and maximum value of the two given values.
Type signature
([a, b]: [number, number]) => [number, number]Examples
minMax([5, 3]);
// ⇒ [3, 5]minMax([3, 5]);
// ⇒ [3, 5]Questions
- How to get ordered values where the lower is the first and the higher is the second?
sameSign
Checks if all the given values have the same sign.
Type signature
(xs: number[]) => booleanExamples
sameSign([-1, -2, -3]);
// ⇒ truesameSign([1, 2, -3]);
// ⇒ falseQuestions
- How to check if all values have the same sign?
sign
Calculates the sign of the value and returns -1 for negative values, 1 for positive values and 0 for zeros.
Type signature
(x: number) => numberExamples
sign(3);
// ⇒ 1sign(-5);
// ⇒ 5sign(0);
// ⇒ 0sign(-0);
// ⇒ 0Questions
- How to get a sign of a number?
standardDeviation
Calculates the standard deviation of the given array of numbers.
Type signature
(xs: number[], origin?: number) => numberExamples
standardDeviation([96, 81, 68, 79, 23, 13, 13, 59, 44, 86]);
// ⇒ (2 * Math.sqrt(10922 / 5)) / 3Questions
- How to compute a standard deviation of an array?
subtract
Subtracts two values.
Type signature
(a: number, b: number) => numberExamples
subtract(3, 5);
// ⇒ -2Questions
- How to subtract two numbers?
object
any
Checks if the given object is present and it is not empty (contains at least one entry).
Type signature
(xs?: object) => booleanExamples
any({ a: 1, b: 2, c: 3 });
// ⇒ trueany({ });
// ⇒ falseany(null);
// ⇒ falseany(undefined);
// ⇒ falseQuestions
- How to check if an object is not empty?
- How to check if an object contains some values?
- How to check if an object is not null or undefined?
apply
Applies the given parameters to the given dictionary of functions.
Type signature
(
fs: ((...xs: any[]) => any)[]
) => (...xs: any[]) => objectExamples
const lower = text => text.toLowerCase();
const upper = text => text.toUpperCase();
apply({ lower, upper })("TeSt");
// ⇒ { lower: "test", upper: "TEST" }Questions
- How to apply a value over an object of functions?
empty
Empty object.
Type signature
{}Examples
empty;
// ⇒ {}Questions
- How to get an empty object?
entries
Lists key-value pairs (entries) present in the given object.
Type signature
{
<T>(
o:
| {
[s: string]: T;
}
| ArrayLike<T>
): [string, T][];
(o: {}): [string, any][];
}Examples
entries({ a: 1, b: 2, c: 3 });
// ⇒ [["a", 1], ["b", 2], ["c", 3]]Questions
- How to get entries of an object?
- How to get an array of key-value pairs of an object?
enumerable
Creates a 1 to 1 mapping of the given values as an object.
Type signature
(...xs: string[]) => objectExamples
enumerable('TEST', 'X', 'Y');
// ⇒ { TEST: 'TEST', X: 'X', Y: 'Y' }Questions
- How to create an object of the same keys and values?
equals
Checks if two objects are deeply equal.
Type signature
(a: any, b: any) => booleanExamples
equals({ a: 1 }, { a: 1 });
// ⇒ trueequals({ b: [1, 2] }, { b: [1, 2] });
// ⇒ trueQuestions
- How to check if two objects are equal?
- How to check deep object equality?
every
Test if every element passes the given predicate.
Type signature
(
f: (value: any, key: string, context: object) => boolean
) => (xs: object) => booleanExamples
every(x => x >= 0)({ x: 5, y: 3, z: 0 });
// ⇒ trueevery(x => x > 0)({ x: 5, y: 3, z: 0 });
// ⇒ falseQuestions
- How to check if every entry in an object passes a given predicate?
filter
Filters the given object with the given predicate.
Type signature
(
f: (value: any, key: string, context: object) => boolean
) => (xs: object) => objectExamples
filter(x => x % 2 !== 0)({ a: 1, b: 2, c: 3 });
// ⇒ { a: 1, c: 3 }Questions
- How to filter an object?
find
Searches the given object by the given predicate and returns the found value or undefined.
Type signature
(
predicate: (value: any, key: string, context: object) => boolean
) => (xs: object) => anyExamples
find(({ x }) => x % 2 === 0)({ a: { x: 1 }, b: { x: 2 }, c: { x: 3 } });
// ⇒ { x: 2 }Questions
- How to find the value of an object by a predicate function?
findEntry
Searches the given object by the given predicate and returns the found entry or undefined.
Type signature
(
predicate: (value: any, key: string, context: object) => boolean
) => (xs: object) => anyExamples
findEntry(({ x }) => x % 2 === 0)({ a: { x: 1 }, b: { x: 2 }, c: { x: 3 } });
// ⇒ ["b", { x: 2 }]Questions
- How to find an entry of an object by a predicate function?
findKey
Searches the given object by the given predicate and returns the found key or undefined.
Type signature
(
predicate: (value: any, key: string, context: object) => boolean
) => (xs: object) => anyExamples
findKey(({ x }) => x % 2 === 0)({ a: { x: 1 }, b: { x: 2 }, c: { x: 3 } });
// ⇒ "b"Questions
- How to find a key of an object by a predicate function?
first
Returns the first value in the given object. Follows the default object iteration order.
Type signature
(xs: object) => anyExamples
first({ a: 1, b: 2, c: 3 });
// ⇒ 1Questions
- How to get the first value of an object?
flatMapValues
Flat maps the values of the given object.
Type signature
(
f: (value: any, key: string, context: object) => any
) => (xs: object) => any[]Examples
flatMapValues(x => [x, x * 2])({ a: 1, b: 2, c: 3 });
// ⇒ [1, 2, 2, 4, 3, 6]Questions
- How to flat map an object?
fromEntries
Creates an object from an array of key-value pairs (entries).
Type signature
(entries: [string, any][]) => objectExamples
fromEntries([["a", 1], ["b", 2], ["c", 3]]);
// ⇒ { a: 1, b: 2, c: 3 }Questions
- How to create an object from an array of key-value pairs?
- How to create an object from an array of entries?
groupBy
Groups the given array of values by the given key selector.
Type signature
(selector: (x: any) => string) => (xs: any[]) => objectExamples
groupBy(x => x % 2 == 0 ? "even" : "odd")([1, 2, 3, 4, 5, 6, 7]);
// ⇒ { even: [2, 4, 6], odd: [1, 3, 5, 7] }Questions
- How to group an array by a key function?
hasKey
Checks if the given key is present in the object.
Type signature
(key: string) => (xs?: any) => anyExamples
hasKey("c")({ a: 1, b: 2, c: 3 });
// ⇒ trueQuestions
- How to check if an object contains a given key?
length
Returns the number of entries within the given object.
Type signature
(xs: object) => numberExamples
length({ a: 1, b: 2, c: 3 });
// ⇒ 3Questions
- How to check how many entries are in an object?
map
Maps the given object with the given function.
Type signature
(
f: (value: any, key: string, context: object) => any
) => (xs: object) => objectExamples
map(x => x ** 2)({ a: 1, b: 2, c: 3 });
// ⇒ { a: 1, b: 4, c: 9 }Questions
- How to map an object?
- How to transform an object?
mapEntries
Maps entries of the given object.
Type signature
(
f: (value: any, key: string, context: object) => any
) => (xs: object) => [string, any][]Examples
mapEntries(x => x ** 2)({ a: 1, b: 2, c: 3 });
// ⇒ [["a", 1], ["b", 4], ["c", 9]]Questions
- How to map object entries?
mapKeys
Transforms the object keys with the given function.
Type signature
(
f: (value: any, key: string, context: object) => any
) => (xs: object) => objectExamples
mapKeys((_, key) => key.toUpperCase())({ a: 1, b: 2, c: 3 });
// ⇒ { A: 1, B: 2, C: 3 }Questions
- How to map object keys?
- How to transform object keys?
mapValues
Maps and returns an array of transformed object values.
Type signature
(
f: (value: any, key: string, context: object) => any
) => (xs: object) => any[]Examples
mapValues(x => x ** 2)({ a: 1, b: 2, c: 3 });
// ⇒ [1, 4, 9]Questions
- How to map object values?
merge
Merges two objects deeply.
Type signature
(
a: {
[index: string]: any;
},
b: object
) => objectExamples
merge({ a: 1, b: 3 }, {});
// ⇒ { a: 1, b: 3 }merge({ a: 1, b: 3 }, { b: 7 });
// ⇒ { a: 1, b: 7 }merge({ a: 1, b: 3 }, { b: { d: 8 } });
// ⇒ { a: 1, b: { d: 8 } }merge({ a: 1, b: { c: 3 } }, { b: { d: 8 } });
// ⇒ { a: 1, b: { c: 3, d: 8 } }Questions
- How to merge two objects together?
- How to deeply merge two objects?
none
Checks if the given object is empty.
Type signature
(xs?: object) => booleanExamples
none({});
// ⇒ truenone(null);
// ⇒ truenone({ a: 1 });
// ⇒ falseQuestions
- How to check if an object is empty?
- How to check if an object is null or undefined?
some
Test if any element passes the given predicate.
Type signature
(
f: (value: any, key: string, context: object) => boolean
) => (xs: object) => booleanExamples
some(x => x >= 4)({ x: 5, y: 3, z: 0 });
// ⇒ truesome(x => x < 0)({ x: 5, y: 3, z: 0 });
// ⇒ falseQuestions
- How to check if any entry in an object passes a given predicate?
sort
Sorts the given object by a comparator.
Type signature
(
f: (a: any, b: any) => number
) => (xs: object) => objectExamples
sort({ a: 3, b: 2, c: 3, d: -7, e: 13, f: 0, g: 8 });
// ⇒ {"d": -7,"f": 0,"b": 2,"a": 3,"c": 3,"g": 8,"e": 13}Questions
- How to sort an object?
query
parse
Parses a query string into an object.
Type signature
(xs?: string) => objectExamples
parse("test&count=5");
// ⇒ { test: true, count: "5" }Questions
- How to parse a query string?
read
Parses the given query string into an object using URLSearchParams.
Type signature
(source: string) => {}Examples
read("test&count=5");
// ⇒ { test: "", count: "5" }Questions
- How to parse a query string using URLSearchParams?
serialize
Serializes the given object into a query string.
Type signature
(xs?: { [index: string]: any }) => stringExamples
serialize({ test: true, value: "a string with spaces", missing: false });
// ⇒ "test&value=a%20string%20with%20spaces"Questions
- How to serialize an object to a query string?
range
empty
Checks if the given range is empty.
Type signature
([min, max]: [number, number]) => booleanExamples
empty([2, 2]);
// ⇒ trueempty([1, 5]);
// ⇒ falseQuestions
- How to check if a given range is empty (0-length)?
equals
Checks if the given ranges are equal.
Type signature
(
[a, b]: [number, number],
[c, d]: [number, number]
) => booleanExamples
equals([1, 2], [1, 2]);
// ⇒ trueequals([4, 3], [1, 2]);
// ⇒ falseQuestions
- How to check if two ranges are equal?
length
Computes the signed length of the given range.
Type signature
([min, max]: [number, number]) => numberExamples
length([3, 15]);
// ⇒ 12length([1, 0]);
// ⇒ -1Questions
- How to compute a signed length of a range?
split
Splits the given range into subranges by excluding the given used ranged.
Type signature
(
used: [number, number][],
sourceRange?: number[]
) => (range: [number, number]) => [number, number][]Examples
split([[2, 3], [5, 7]]);
// ⇒ [[0, 2], [3, 5], [7, 10]]Questions
- How to split a range into subranges?
regex
escape
Escapes regex string into proper regex.
Type signature
(string: string) => stringExamples
escape("te.t").test("text");
// ⇒ falseQuestions
- How to properly escape a regex string?
string
containsWhitespace
Checks if the given string contains whitespace.
Type signature
(x: string) => booleanExamples
containsWhitespace("test string");
// ⇒ truecontainsWhitespace("test");
// ⇒ falseQuestions
- How to check if a string contains whitespace?
empty
Empty string.
Type signature
""Examples
empty();
// ⇒ ""Questions
- How to get an empty string?
firstToLower
Transforms the first character to lowercase.
Type signature
(text: string) => stringExamples
firstToLower("TeSt");
// ⇒ "teSt"Questions
- How to make the first letter of a string lowercase?
firstToUpper
Transforms the first character to uppercase.
Type signature
(text: string) => stringExamples
firstToUpper("teSt");
// ⇒ "TeSt"Questions
- How to make the first letter of a string uppercase?
includes
Checks if the given substring is present in the source string.
Type signature
(search: string) => (text: string) => booleanExamples
includes("brown fox")("The quick brown fox jumps over the lazy dog");
// ⇒ trueincludes("brown dog")("The quick brown fox jumps over the lazy dog");
// ⇒ falseQuestions
- How to check if a string contains a given substring?
nbsp
Non-breaking space.
Type signature
" "Examples
nbsp;
// ⇒ " "Questions
- How to get a non-breaking space?
nonEmpty
Checks if the given string is present and is not empty or all whitespace.
Type signature
(x?: string) => booleanExamples
nonEmpty("test with spaces");
// ⇒ truenonEmpty(" ");
// ⇒ falsenonEmpty(null);
// ⇒ falseQuestions
- How to check if a string is non-empty?
- How to check if a string is not all whitespace?
- How to check if a string is not null or undefined?
startsWith
Checks if the given string starts with the given substring.
Type signature
(prefix: string) => (xs: string) => booleanExamples
startsWith("The")("The quick brown fox jumps over the lazy dog");
// ⇒ truestartsWith("Quick")("The quick brown fox jumps over the lazy dog");
// ⇒ falseQuestions
- How to check if a string starts with a given substring?
vector2
add
Adds two vectors.
Type signature
(
[x1, y1]: [number, number],
[x2, y2]: [number, number]
) => [number, number]Examples
add([3, 5], [-1, 8]);
// ⇒ [2, 13]Questions
- How to add two vectors?
convertSpace
Applies transformations to the given vector.
Type signature
(space: {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}) => ([x, y]: [number, number]) => number[]Examples
convertSpace(rotate(Math.PI))([2, 3]);
// ⇒ [-2, -3]Questions
- How to transform a vector with a matrix?
cross
Calculates a cross product of the given vectors. Returns a scalar.
Type signature
(
[a, b]: [number, number],
[c, d]: [number, number]
) => numberExamples
cross([3, 5], [-1, 8]);
// ⇒ 29cross([3, 5], [-1, -8]);
// ⇒ -19Questions
- How to compute a cross product of two vectors?
- How to check on which side of a line a point is?
dot
Calculates a dot product of the given vectors. Returns a scalar.
Type signature
(
[a, b]: [number, number],
[c, d]: [number, number]
) => numberExamples
dot([3, 5], [-1, 8]);
// ⇒ 37dot([3, 5], [-1, -8]);
// ⇒ -43Questions
- How to compute a dot product of two vectors?
length
Calculates the length/magnitude of the given vector.
Type signature
([x, y]: [number, number]) => numberExamples
length([3, 5]);
// ⇒ Math.sqrt(3 * 3 + 5 * 5)Questions
- How to compute the length of a vector?
- How to compute the magnitude of a vector?
mul
Applies matrix transformation to the given vector.
Type signature
(
{
a,
b,
c,
d,
e,
f
}: {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
},
[x, y]: [number, number]
) => number[]Examples
mul(scale(4, 5), [2, 3]);
// ⇒ [8, 15]Questions
- How to apply a matrix transformation to a vector?
multiply
Multiples two matrices.
Type signature
(
m1: {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
},
m2: {
a: number;
b: number;
c: number;
d: number;
e: number;
f: number;
}
) => {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}Examples
multiply({ a: 1, c: 2, e: 3, b: 4, d: 5, f: 6 }, { a: 7, c: 8, e: 9, b: 10, d: 11, f: 12 });
// ⇒ { a: 27, b: 78, c: 30, d: 87, e: 36, f: 102 }Questions
- How to multiply two matrices?
normalize
Normalizes the given vector. Returns [0, 0] vector for points.
Type signature
(vector: [number, number]) => [number, number]Examples
normalize([2, 3]);
// ⇒ [2 / length([2, 3]), 3 / length([2, 3])]Questions
- How to normalize a vector?
reflect
Reflects the given vector on the given surface.
Type signature
(
a: [number, number],
v: [number, number]
) => [number, number]Examples
reflect([1, -2], [1, 0]);
// ⇒ [0.6, 0.8]Questions
- How to reflect a vector on another vector?
rotate
Creates a rotation matrix around given origin [0, 0] by default.
Type signature
(
angle?: number,
cx?: number,
cy?: number
) => {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}Examples
const angle = Math.PI;
const sine = Math.sin(angle);
const cosine = Math.cos(angle);
rotate(angle); // { a: cosine, b: sine, c: -sine, d: cosine, e: 0, f: 0 }Questions
- How to create a rotation matrix?
scale
Creates a scale matrix.
Type signature
(
sx?: number,
sy?: number
) => {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}Examples
scale(2, 3);
// ⇒ { a: 2, b: 0, c: 0, d: 3, e: 0, f: 0 }Questions
- How to create a scale matrix?
sub
Subtracts two vectors.
Type signature
(
[x1, y1]: [number, number],
[x2, y2]: [number, number]
) => [number, number]Examples
sub([3, 5], [-1, 8]);
// ⇒ [4, -3]Questions
- How to subtract two vectors?
transform
Composes a single transformation by matrix multiplication.
Type signature
(
...matrices: {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}[]
) => {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}Examples
const originX = 5;
const originY = 6;
const angle = Math.PI;
transform(translate(originX, originY), rotate(angle), translate(-originX, -originY));
// ⇒ rotate(Math.PI, originX, originY)Questions
- How to compose multiple matrix transformations into a single matrix?
translate
Creates a translation matrix.
Type signature
(
tx?: number,
ty?: number
) => {
a: number;
c: number;
e: number;
b: number;
d: number;
f: number;
}Examples
translate(2, 3);
// ⇒ { a: 1, b: 0, c: 0, d: 1, e: 2, f: 3 }Questions
- How to create a translation matrix?
web
classNames
Composes class name from truthy values with the support of string and objects.
Type signature
(...xs: any[]) => anyExamples
classNames("test", { active: true, disabled: false, on: undefined });
// ⇒ "test active"Questions
- How to create a class name from an array of strings and/or objects?
events
cancel
Stops propagation and prevents the default handler of the given event.
Type signature
(event: {
preventDefault: () => void;
stopPropagation: () => void;
}) => booleanExamples
const event = {
preventDefault: () => console.log("preventDefault"),
stopPropagation: () => console.log("stopPropagation")
};
cancel(event);Questions
- How to stop event propagation and prevent default at once?
openInNewTabIntent
Tests if the current event seems like an intent to open a new tab. Useful for client-side navigation handling.
Type signature
({
button,
ctrlKey,
metaKey,
shiftKey
}: {
button?: number;
ctrlKey?: boolean;
metaKey?: boolean;
shiftKey?: boolean;
}) => booleanExamples
openInNewTabIntent({ ctrlKey: true });
// ⇒ trueQuestions
- How to check if the user wants to open a new tab using history API?
prevent
Prevents the default handler of the given event.
Type signature
(event: { preventDefault: () => void }) => booleanExamples
const event = {
preventDefault: () => console.log("preventDefault"),
stopPropagation: () => console.log("stopPropagation")
};
prevent(event);Questions
- How to prevent default event handler?
stop
Stops propagation of the given event.
Type signature
(event: { stopPropagation: () => void }) => booleanExamples
const event = {
preventDefault: () => console.log("preventDefault"),
stopPropagation: () => console.log("stopPropagation")
};
stop(event);Questions
- How to stop the propagation of an event?
Contributors ✨
Thanks goes to these wonderful people (emoji key):
sandstreamdevelopment 💼 |
Przemysław Zalewski 💻 |
jakubbogacz |
Marek Rozmus |
Paweł |
Krystian Boruciński 💻 |
This project follows the all-contributors specification. Contributions of any kind welcome!