从 Future 实例中获取值

Getting values from Future instances

我的数据是这样的:

{
  "five": {
    "group": {
      "one": {
        "order": 2
      },
      "six": {
        "order": 1
      }
    },
    "name": "Filbert",
    "skill": "databases"
  },
  "four": {
    "group": {
      "three": {
        "order": 2
      },
      "two": {
        "order": 1
      }
    },
    "name": "Robert",
    "skill": "big data"
  },
  "one": {
    "name": "Bert",
    "skill": "data analysis"
  },
  "seven": {
    "name": "Colbert",
    "skill": "data fudging"
  },
  "six": {
    "name": "Ebert",
    "skill": "data loss"
  },
  "three": {
    "name": "Gilbert",
    "skill": "small data"
  },
  "two": {
    "name": "Albert",
    "skill": "non data"
  }
}

我正在使用以下功能:

  Future retrieve(String id) async {
    Map employeeMap = await employeeById(id); //#1
    if (employeeMap.containsKey("group")) { //#2
      Map groupMap = employeeMap["group"];
      Map groupMapWithDetails = groupMembersWithDetails(groupMap); #3
      // above returns a Mamp with keys as expected but values 
      // are Future instances.
      // To extract values, the following function is
      // used with forEach on the map
      futureToVal(key, value) async { // #4
        groupMapWithDetails[key] = await value; 
      }
      groupMapWithDetails.forEach(futureToVal); // #4
    }
    return groupMapWithDetails;
   }
  1. 我从数据库 (Firebase)
  2. 访问一名员工(作为Map
  3. 如果员工是领导(有钥匙"group")
  4. 我通过调用一个单独的函数从数据库中获取组中每个员工的详细信息。
  5. 由于函数 returns 具有作为 Future 实例的值的映射,我想从中提取实际值。为此,在地图上调用了 forEach。 但是,我只获得 Future 的实例作为值。

如何获得实际值?

无法从异步执行返回到同步执行。

要从 Future 中获取值,有两种方法

将回调传递给 then(...)

theFuture.then((val) {
  print(val);
});

或使用 async/await 以获得更好的语法

Future foo() async {
  var val = await theFuture;
  print(val);
}

您不是在等待 await value 表达式完成。

forEach 调用遍历映射条目并为每个条目启动异步计算。然后放弃该计算的未来,因为 forEach 不使用其函数的 return 值。 然后你 return 地图,远在任何异步计算完成之前,所以地图中的值仍然是未来。他们最终会变成非期货,但你不知道什么时候完成。

而不是 forEach 调用,尝试:

await Future.wait(groupMapWithDetails.keys.map((key) async {
  groupMapWithDetails[key] = await groupMapWithDetails[key];
});

这对映射中的每个键执行异步操作,并等待它们全部完成。在那之后,地图应该有非未来的价值。