使变量在AngularFire5中可用

时间:2018-05-28 22:48:20

标签: angular ionic3 google-cloud-firestore angularfire5

我正在尝试从Firestore获取一些文档数据,我发现这很容易。但是,我怎样才能将这些数据提供给其他功能呢?这是我的代码:

let documentRef = this.afs.collection('profiles').doc(this.userId);

var myProfileRef = documentRef.ref.get()
.then(doc => {
    this.myFirstName = doc.data().firstName;
    console.log(this.myFirstName)
})

console.log(this.myFirstName)

我第一次尝试记录名称时,它可以正常工作。但在}}之外我得到'未定义',我不能在此之外的任何地方使用this.myFirstName。我错过了什么?

编辑:在我看来,好像这个问题在于使用Firestore数据的异步性质。所以我想我在问是否有同步方法来提取这些数据?

1 个答案:

答案 0 :(得分:1)

从firestore检索数据本质上是异步的。您应该设置一种异步获取数据的方法,以便在数据可用时获取数据。像这样:

// Way 1: function returns observable 
  getName(): Observable<string> {

    return new Observable (observer =>{
      let documentRef = this.afs.collection('profiles').doc(this.userId);
      documentRef.ref.get()
      .then(doc => {
          let myFirstName = doc.data().firstName;
          observer.next(myFirstName);
          observer.complete();
      })
      .catch(error =>{ console.log(error); })
    });
  }

  // Call function and subcribe to data
  this.getName().subscribe(res =>{
    console.log(res);
  });

  // Way 2: Function returns promise
  getFirstName(): Promise<string> {
    return new Promise(resolve =>{
      let documentRef = this.afs.collection('profiles').doc(this.userId);
      documentRef.ref.get()
      .then(doc => {
          let myFirstName = doc.data().firstName;
          resolve(myFirstName);
      })
      .catch(error =>{ console.log(error); })
    })
  }

  // Use it
  this.getFirstName().then(res =>{
    console.log(res);
  });

如果你真的需要一个有效的例子,请告诉我?