class A {}
class B extends A {
bb() { ... }
}
function isB(obj: A) {
return obj instanceof B;
}
const x: A = new B(); // x has type A
if (isB(x)) {
x.bb(); // can I get x to have type B?
}
我知道,如果我有x instanceof B
的状况,它将可以正常工作。但是我可以通过isB()
吗?
答案 0 :(得分:4)
Typescript通过特殊的返回类型X is A
支持此操作。您可以在他们的user defined type guards的部分中了解更多信息。
对于您的示例,您可以这样输入:
class A {}
class B extends A {
bb() { ... }
}
function isB(obj: A): obj is B { // <-- note the return type here
return obj instanceof B;
}
const x: A = new B(); // x has type A
if (isB(x)) {
x.bb(); // x is now narrowed to type B
}