In typescript, How to access object key(property) using variable?
for example:
interface Obj {
a: Function;
b: string;
}
let obj: Obj = {
a: function() { return 'aaa'; },
b: 'bbbb'
}
for(let key in obj) {
console.log(obj[key]);
}
but typescript throw below error message:
'TS7017 Element implicitly has an 'any' type because type 'obj' has no index signature'
How to fix it?
To compile this code with --noImplicitAny
, you need to have some kind of type-checked version of Object.keys(obj)
function, type-checked in a sense that it's known to return only the names of properties defined in obj
.
There is no such function built-in in TypeScript AFAIK, but you can provide your own:
interface Obj {
a: Function;
b: string;
}
let obj: Obj = {
a: function() { return 'aaa'; },
b: 'bbbb'
};
function typedKeys<T>(o: T): (keyof T)[] {
// type cast should be safe because that's what really Object.keys() does
return Object.keys(o) as (keyof T)[];
}
// type-checked dynamic property access
typedKeys(obj).forEach(k => console.log(obj[k]));
// verify that it's indeed typechecked
typedKeys(obj).forEach(k => {
let a: string = obj[k]; // error TS2322: Type 'string | Function'
// is not assignable to type 'string'.
// Type 'Function' is not assignable to type 'string'.
});
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With