使用 Flutter 以空安全方式从 Firebase 获取文档流
Get a stream of documents from Firebase with Flutter in Null-safe way
我是一个 flutter null-safe 菜鸟。我使用了下面的代码,但出现了这个错误:
The argument type 'Map<String, dynamic>?' can't be assigned to the parameter type 'Map<String, dynamic>'
这看起来确实是一个空安全问题,但又一次,可能必须这样做才能获得空安全不同的文档流。
class DataService {
final _dataStore = FirebaseFirestore.instance;
Stream <List<Shop>> listAllShops() {
return _dataStore.collection('shops')
.snapshots()
.map((snapshot) => snapshot.docs
.map((document) => Shop.fromJson(document.data())) <<< error comes here
.toList());
}
}
我试过把 ?在不同的地方,但没有任何效果。
在下面的代码中:
document.data()
document.data()
可以是 null
,这就是您看到错误的原因。如果您确定它永远不会是 null
,只需使用
document.data()!
虽然您没有显示,但 Shop.fromJson
构造函数可能采用 Map<String, dynamic>
类型。不可为 null 的类型。在 document.data()
returns 中引用的 data
函数是一个可为 null 的类型。您只需要将可空类型提升为不可空类型。
如果您确定数据不会为空,则可以使用 bang 运算符 !
轻松完成此操作:
Stream <List<Shop>> listAllShops() {
return _dataStore.collection('shops')
.snapshots()
.map((snapshot) => snapshot.docs
.map((document) => Shop.fromJson(document.data()!))
.toList());
}
我是一个 flutter null-safe 菜鸟。我使用了下面的代码,但出现了这个错误:
The argument type 'Map<String, dynamic>?' can't be assigned to the parameter type 'Map<String, dynamic>'
这看起来确实是一个空安全问题,但又一次,可能必须这样做才能获得空安全不同的文档流。
class DataService {
final _dataStore = FirebaseFirestore.instance;
Stream <List<Shop>> listAllShops() {
return _dataStore.collection('shops')
.snapshots()
.map((snapshot) => snapshot.docs
.map((document) => Shop.fromJson(document.data())) <<< error comes here
.toList());
}
}
我试过把 ?在不同的地方,但没有任何效果。
在下面的代码中:
document.data()
document.data()
可以是 null
,这就是您看到错误的原因。如果您确定它永远不会是 null
,只需使用
document.data()!
虽然您没有显示,但 Shop.fromJson
构造函数可能采用 Map<String, dynamic>
类型。不可为 null 的类型。在 document.data()
returns 中引用的 data
函数是一个可为 null 的类型。您只需要将可空类型提升为不可空类型。
如果您确定数据不会为空,则可以使用 bang 运算符 !
轻松完成此操作:
Stream <List<Shop>> listAllShops() {
return _dataStore.collection('shops')
.snapshots()
.map((snapshot) => snapshot.docs
.map((document) => Shop.fromJson(document.data()!))
.toList());
}