我试图在对象中引入查找类型。假设我的对象看起来像
persons
我想让一个吸气剂从persons
那里得到一个人,但不指定getProperty
对象。
文档中的function getProperty<T, K extends keyof T>(obj: T, key: K) {
return obj[key]; // Inferred type is T[K]
}
obj
想拥有一个class PersonList {
persons = {
john: 'description of john',
bob: 'description of bob'
};
getPerson(name) {
return this.getProperty(this.persons, name);
}
private getProperty<T, K extends keyof T>(obj: T, key: K) {
return obj[key]; // Inferred type is T[K]
}
}
,我想在我的吸气剂中摆脱它。我已经尝试代理吸气剂,但是没有成功:
personList.getPerson('someonenotincluded');
可悲的是,在尝试执行类似print(error.localizedDescription)
之类的操作时,它不会引发错误-而且自动填充功能也不起作用。
答案 0 :(得分:3)
我将采用该内联类型并将其命名(但请继续阅读,您没有有兴趣):
interface Persons {
john: string;
bob: string;
}
然后,您可以在keyof Persons
中使用getPerson
作为参数类型:
class PersonList {
persons: Persons = {
john: 'description of john',
bob: 'description of bob'
};
getPerson(name: keyof Persons) {
return this.persons[name];
}
}
因此,如果pl
是PersonList
:
console.log(pl.getPerson('john')); // Works
console.log(pl.getPerson('someonenotincluded')); // Error
但是,如果您希望保持其内联,则可以使用keyof PersonList['persons']
作为参数类型:
class PersonList {
persons = {
john: 'description of john',
bob: 'description of bob'
};
getPerson(name: keyof PersonList['persons']) {
return this.persons[name];
}
}
在评论中您已经询问:
有可能在抽象类中实现吗? ...在抽象类中实现getter真是太棒了,但是到目前为止我还没有找到解决方案。
...带有此代码模板的链接:
abstract class AbstractPersonList {
protected abstract persons: { [name: string]: string };
}
class Persons extends AbstractPersonList {
persons = {
john: 'this is john',
}
}
class MorePersons extends AbstractPersonList {
persons = {
bob: 'this is bob',
}
}
您可以参数化AbstractPersonList
:
abstract class AbstractPersonList<T extends {[name: string]: string}> {
// ------------------------------^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
protected abstract persons: T;
public getPerson(name: keyof T): string {
return this.persons[name];
}
}
那么您将拥有:
class Persons extends AbstractPersonList<{john: string}> {
// -------------------------------------^^^^^^^^^^^^^^^^
persons = {
john: 'this is john',
}
}
class MorePersons extends AbstractPersonList<{bob: string}> {
// -----------------------------------------^^^^^^^^^^^^^^^
persons = {
bob: 'this is bob',
}
}
哪些会导致这些结果,我想这就是您要寻找的结果:
let n = Math.random() < 0.5 ? 'john' : 'bob';
const p = new Persons();
console.log(p.getPerson('john')); // Works
console.log(p.getPerson('bob')); // FAILS: Argument of type '"bob"' is not assignable to parameter of type '"john"'.
console.log(p.getPerson(n)); // FAILS: Argument of type 'string' is not assignable to parameter of type '"john"'.
const mp = new MorePersons();
console.log(mp.getPerson('john')); // FAILS: Argument of type '"john"' is not assignable to parameter of type '"bob"'.
console.log(mp.getPerson('bob')); // Works
console.log(mp.getPerson(n)); // FAILS: Argument of type 'string' is not assignable to parameter of type '"bob"'.