我为现有库编写类型。我遇到了为类型定义约束的问题,其中两个变量类型应该满足一些限制(T1 [T2]应该是某种类型的数组)。
我有第一个界面
interface GenericInterfaceWithArray<ElementType> {
arrayOfElements: ElementType[];
push: (value: ElementType) => void;
}
和第二个使用前一个,并且还有2个类型变量:
interface OuterInterface<
ObjectContainingArray,
KeyOfPropertyWithArray extends keyof ObjectContainingArray
> {
nestedProperty: GenericInterfaceWithArray<ObjectContainingArray[KeyOfPropertyWithArray]>;
// line above has incorrect definition because
// ObjectContainingArray[KeyOfPropertyWithArray] is an array
// - can I take type from 'first array element' here?
// smth like this line below
// GenericInterfaceWithArray<ObjectContainingArray[KeyOfPropertyWithArray][0]>;
// this does not work:
// `Type '0' cannot be used to index type 'ObjectContainingArray[KeyOfPropertyWithArray]'.`
}
用法:
interface InterfaceWithArrayProp {
arrayProp: number[];
}
const myType: OuterInterface<InterfaceWithArrayProp, 'arrayProp'>;
myType.nestedProperty.push(25); // here should be validation for `number`.
// Currently I have type: `number[]`
我尝试过以其他方式定义内部接口:作为数组的泛型(不令人满意,但如果没有第一个版本的方法,则可以接受):
interface GenericInterfaceWithArray<ArrayOfElements extends Array<any>> {
arrayOfElements: ArrayOfElements;
push: (value: ArrayOfElements[0]) => void;
}
但是现在OuterInterface
出现了错误:Type 'ObjectContainingArray[KeyOfPropertyWithArray]' does not satisfy the constraint 'any[]'.
是否可以将T1[T2]
定义为数组并将该第一个元素的类型作为另一个通用接口的参数传递?
答案 0 :(得分:0)
好的,我发现我可以使用条件类型。
type FirstArrayElement<ElementsArrayType> = ElementsArrayType extends any[] ? ElementsArrayType[0] : never;
interface OuterInterface<
ObjectContainingArray,
KeyOfPropertyWithArray extends keyof ObjectContainingArray
> {
nestedProperty: GenericInterfaceWithArray<FirstArrayElement<ObjectContainingArray[KeyOfPropertyWithArray]>>;
}