19

我试图在承诺解决后返回一个布尔值,但打字稿给出一个错误说

A 'get' accessor must return a value.

我的代码看起来像。

get tokenValid(): boolean {
    // Check if current time is past access token's expiration
    this.storage.get('expires_at').then((expiresAt) => {
      return Date.now() < expiresAt;
    }).catch((err) => { return false });
}

此代码适用于 Ionic 3 应用程序,存储为 Ionic Storage 实例。

4

2 回答 2

27

您可以返回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
});
于 2017-08-13T22:36:17.153 回答
8

你的功能应该是:

get tokenValid(): Promise<Boolean> {
    return new Promise((resolve, reject) => {
      this.storage.get('expires_at')
        .then((expiresAt) => {
          resolve(Date.now() < expiresAt);
        })
        .catch((err) => {
          reject(false);
      });
 });
}
于 2017-08-14T10:43:48.457 回答