// The builtin `join` method supports all these natively in the same way that typescript handles them so we can safely accept all of them. type JoinableItem = string | number | bigint | boolean | undefined | null; // `null` and `undefined` are treated uniquely in the built-in join method, in a way that differs from the default `toString` that would result in the type `${undefined}`. That's why we need to handle it specifically with this helper. // @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/join#description type NullishCoalesce< Value extends JoinableItem, Fallback extends string, > = Value extends undefined | null ? NonNullable | Fallback : Value; /** Join an array of strings and/or numbers using the given string as a delimiter. Use-case: Defining key paths in a nested object. For example, for dot-notation fields in MongoDB queries. @example ``` import type {Join} from 'type-fest'; // Mixed (strings & numbers) items const path1 = ['foo', 0, 'baz'].join('.') as Join<['foo', 0, 'baz'], '.'>; //=> 'foo.0.baz' // Only string items const path2 = ['foo', 'bar', 'baz'].join('.') as Join<['foo', 'bar', 'baz'], '.'>; //=> 'foo.bar.baz' // Only number items const path3 = [1, 2, 3].join('.') as Join<[1, 2, 3], '.'>; //=> '1.2.3' // Only bigint items const path4 = [1n, 2n, 3n].join('.') as Join<[1n, 2n, 3n], '.'>; //=> '1.2.3' // Only boolean items const path5 = [true, false, true].join('.') as Join<[true, false, true], '.'>; //=> 'true.false.true' // Contains nullish items const path6 = ['foo', undefined, 'baz', null, 'xyz'].join('.') as Join<['foo', undefined, 'baz', null, 'xyz'], '.'>; //=> 'foo..baz..xyz' // Partial tuple shapes (rest param last) const path7 = ['prefix'].join('.') as Join<['prefix', ...string[]], '.'>; //=> `prefix.${string}` // Partial tuple shapes (rest param first) const path8 = ['suffix'].join('.') as Join<[...string[], 'suffix'], '.'>; //=> `${string}.suffix` // Tuples items with nullish unions const path9 = ['hello', 'world'].join('.') as Join<['hello' | undefined, 'world' | null], '.'>; //=> '.' | '.world' | 'hello.' | 'hello.world' ``` @category Array @category Template literal */ export type Join< Items extends readonly JoinableItem[], Delimiter extends string, > = Items extends readonly [] ? '' : Items extends readonly [JoinableItem?] ? `${NullishCoalesce}` : Items extends readonly [ infer First extends JoinableItem, ...infer Tail extends readonly JoinableItem[], ] ? `${NullishCoalesce}${Delimiter}${Join}` : Items extends readonly [ ...infer Head extends readonly JoinableItem[], infer Last extends JoinableItem, ] ? `${Join}${Delimiter}${NullishCoalesce}` : string; export {};