TypeScript遍历对象属性的问题
程序员文章站
2022-04-13 08:34:25
目录一、问题 二、解决办法1. 把对象声明as any2. 给对象声明一个接口3. 使用泛型4. 使用keyof一、问题 比如下面的代码:type animal = { name: strin...
一、问题
比如下面的代码:
type animal = { name: string; age: number } const animal:animal={ name:"dog", age:12 } function test(obj:animal) { for (let k in obj) { console.log(obj[k])。//这里出错 } } test(animal)
报错:
二、解决办法
1. 把对象声明as any
function test(obj:animal) { for (let k in obj) { console.log((obj as any)[k]) //不报错 } }
这个方法直接绕过了typescript
的校验机制
2. 给对象声明一个接口
type animal = { name: string; age: number; [key: string]: any } const animal:animal={ name:"dog", age:12 } function test(obj:animal) { for (let k in obj) { console.log(obj [k]) //不报错 } } test(animal)
这个可以针对比较常见的对象类型,特别是一些工具方法。
3. 使用泛型
function test<t extends object>(obj:t) { for (let k in obj) { console.log(obj [k]) //不报错 } }
4. 使用keyof
function test(obj:animal) { let k: (keyof animal); for (k in obj) { console.log(obj [k]) //不报错 } }
到此这篇关于typescript遍历对象属性的问题的文章就介绍到这了,更多相关typescript遍历对象属性内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!