您可以返回Promise
解析为布尔值的 a ,如下所示:
get tokenValid(): Promise<boolean> {
// |
// |----- Note this additional return statement.
// v
return this.storage.get('expires_at')
.then((expiresAt) => {
return Date.now() < expiresAt;
})
.catch((err) => {
return false;
});
}
您问题中的代码只有两个返回语句:一个在 Promise 的then
处理程序内,一个在其catch
处理程序内。我们在访问器中添加了第三个 return 语句tokenValid()
,因为访问器也需要返回一些东西。
这是TypeScript 游乐场中的一个工作示例:
class StorageManager {
// stub out storage for the demo
private storage = {
get: (prop: string): Promise<any> => {
return Promise.resolve(Date.now() + 86400000);
}
};
get tokenValid(): Promise<boolean> {
return this.storage.get('expires_at')
.then((expiresAt) => {
return Date.now() < expiresAt;
})
.catch((err) => {
return false;
});
}
}
const manager = new StorageManager();
manager.tokenValid.then((result) => {
window.alert(result); // true
});