Consider the following declaration and uses of a conditional type:
type IsIterable<T> = T extends Iterable<infer X> ? Iterable<X> : never
export function isIterableAny(val: any): val is IsIterable<typeof val> {
return hasValue(val) && typeof (val as any)[Symbol.iterator] === "function"
}
export function isIterableUnknown(val: unknown): val is IsIterable<typeof val> {
return hasValue(val) && typeof (val as any)[Symbol.iterator] === "function"
}
const num = 1 // 1
const arr = [1, 2, 3] // number[]
type TestNumber = IsIterable<typeof num> // never
type TestArray = IsIterable<typeof arr> // Iterable<number>
if (isIterableAny(num)) { num /* 1 & Iterable<unknown> */ }
if (isIterableUnknown(num)) { num /* never */ }
if (isIterableAny(arr)) { arr /* number[] */ }
if (isIterableUnknown(arr)) { arr /* never */ }
Why do the results of the isIterable
type guard not correspond to the results of the test types, even though they all use the same conditional type IsIterable
?
I notice that the two versions of the type guard work and fail in different/complementary ways, but of course i need a single type guard that works for all inputs
CodePudding user response:
type IsIterable<T> = T extends Iterable<infer X> ? Iterable<X> : never;
By using this, you're discarding all type information related to T other than its iterable attributes. Instead, you just need to exclude from the union T
all members which don't extend the Iterable
type:
export function isIterable<T>(value: T): value is T extends Iterable<any> ? T : never {
try { return typeof (value as any)[Symbol.iterator] === 'function'; }
catch { return false; }
}
declare const num: 1;
isIterable(num) && num; // never
declare const arr: number[];
isIterable(arr) && arr; // number[]
declare const union: null | string[] | Generator<bigint> | Iterator<number> | Record<'a' | 'b', boolean>;
isIterable(union) && union; // string[] | Generator<bigint>