我的函数看起来像这样:
function calc(a, b){
return a + b
}
我能弄到它的名字
calc.name
并得到'calc‘这个名字。
我也有create函数
interface ICreateResult {
[???]: string;
'key': string;
}
function create(func): ICreateResult{
return {
[func.name]: 'some value',
'key': 'some value'
}
}
如何让typescript
进行验证
const obj = create(calc);
obj.calc // intellisense by typescript
obj.abc() // error
发布于 2021-06-20 06:38:17
据我所知,您希望将一个函数作为参数传递给create。让我们尝试对您的代码进行一些更改,并将其转换为:
function calc(a: number, b: number) {
return a + b;
}
function abc() {
}
type strictType = {
funcSyntax: (a: number, b: number) => number
}
interface ICreateResult {
funcCall: (a: number, b: number) => number;
funcName: string;
key: string;
}
function create(arg: strictType): ICreateResult {
return {
funcCall: arg.funcSyntax,
funcName: arg.funcSyntax.name,
key: 'some value',
}
}
const crt = create({ funcSyntax: calc });
console.log(crt.funcCall.call(null, 4, 5));//9
console.log(crt.funcName);//calc
const crt2 = create({ funcSyntax: abc })//error
发布于 2021-06-20 08:39:53
我认为这在当前版本的TypeScript中是不可能的。
请参见示例:
const x = (a: number) => a
type FnName = (typeof x)['name'] // string
FnName
被推断为string
,而不是文字字符串类型x
。
https://stackoverflow.com/questions/68052647
复制相似问题