我在 Typescript 将默认值传递给类似于pick
from lodash的函数时遇到问题。
该函数接受一个已知(非通用)接口的对象和一组键以从该对象中选择和返回。
该函数的常规(无默认参数)声明可以正常工作,但是,我似乎无法将数组设置为选择要选择的属性的参数的默认值。
interface Person {
name: string;
age: number;
address: string;
phone: string;
}
const defaultProps = ['name', 'age'] as const;
function pick<T extends keyof Person>(obj: Person, props: ReadonlyArray<T> = defaultProps): Pick<Person, T> {
return props.reduce((res, prop) => {
res[prop] = obj[prop];
return res;
}, {} as Pick<Person,T>);
}
const testPerson: Person = {
name: 'mitsos',
age: 33,
address: 'GRC',
phone: '000'
};
如果您删除默认值= defaultProps
,它将成功编译,并且返回的类型从示例调用中也是正确的,例如:const testPick = pick(testPerson, ['name']);
但是,设置默认值会产生以下错误:
Type 'readonly ["name", "age"]' is not assignable to type 'readonly T[]'.
Type '"name" | "age"' is not assignable to type 'T'.
'"name" | "age"' is assignable to the constraint of type 'T', but 'T' could be instantiated with a different subtype of constraint 'keyof Person'.
Type '"name"' is not assignable to type 'T'.
'"name"' is assignable to the constraint of type 'T', but 'T' could be instantiated with a different subtype of constraint 'keyof Person'.
如何成功地将默认值传递给props
参数?
打字稿游乐场链接在这里
更新
在玩了一会儿之后,我尝试使用条件类型并设法使函数签名正常工作,但是现在无法正确识别 reduce 的问题:
interface Person {
name: string;
age: number;
address: string;
phone: string;
}
const defaultProps = ['name', 'age'] as const;
type DefaultProps = typeof defaultProps;
type PropsOrDefault<T extends keyof Person> = DefaultProps | ReadonlyArray<T>;
type PickedPropOrDefault<T extends PropsOrDefault<keyof Person>> = T extends DefaultProps ? Pick<Person, DefaultProps[number]> : Pick<Person, T[number]>;
function pick<T extends keyof Person>(obj: Person, props: PropsOrDefault<T> = defaultProps): PickedPropOrDefault<PropsOrDefault<T>> {
return props.reduce<PickedPropOrDefault<PropsOrDefault<T>>>((res, prop) => {
res[prop] = obj[prop];
return res;
}, {} as PickedPropOrDefault<PropsOrDefault<T>>);
}
const testPerson: Person = {
name: 'mitsos',
age: 33,
address: 'GRC',
phone: '000'
};
const result = pick(testPerson) // Pick<Person, "name" | "age">
const result2 = pick(testPerson, ['phone']) // Pick<Person, "phone">
const result3 = pick(testPerson, ['abc']) // expected error