我有一个接受2到4个参数的方法:
myMethod(a: string, b: string, c?: any, d?: number);
在单元测试中,我尝试通过这种方式将参数传递给方法:
const args: [string, string, any, number] = ['a', 'b', 'c', 0];
myMethod(...args);
即使我声明args
为设置长度,TypeScript编译器也会显示此错误:
TS2556:应该有2-4个参数,但有0个或更多。
为什么显示此错误?我可以做些什么来保持最后一行(函数调用)不变吗?
答案 0 :(得分:5)
这是known issue,而发生这种情况的简短答案是TypeScript中的rest / spread支持最初是为数组而非元组设计的。
您可以等待tuples in rest/spread positions在TypeScript中得到支持;它应该从TypeScript 3.0开始引入,应该很快就会出现。
直到那时,您唯一的选择就是解决方法。您可以放弃传播语法,并逐个传递参数:
myMethod(args[0], args[1], args[2], args[3]); // type safe but not generalizable
或断言您的方法接受...args: any[]
,如:
(myMethod as (...args:any[])=>void)(...args); // no error, not type safe
或忽略该错误
// @ts-ignore
myMethod(...args); // no error, not type safe
编辑:或使用not-currently-well-typed apply()
方法(与前两种解决方法不同,它更改了发出的js):
myMethod.apply(this, args); // no error, not type safe
这些都不是很好的选择,因此,如果等待功能实现,则可能需要这样做。祝你好运!