我是一个新的扑和消防站的发展。
我有一个帖子的集合。对于每个帖子我都有反馈的子集合。反馈可以是好的或坏的。我想做的是得到好的和坏的反馈的总和。
在这里,我展示了我所有的帖子,以及好的和坏的反馈计数。
我可以得到每个帖子里面的反馈。但是我不知道如何给帖子添加反馈。或者计算总和。
Stream<List<Post>> get myPosts {
Query query = Firestore.instance
.collection('posts')
.where("userId", isEqualTo: uid)
.orderBy('modifiedDate', descending: true);
final Stream<QuerySnapshot> snapshots = query.snapshots();
return snapshots.map((QuerySnapshot snapshot) {
List<Post> postList = snapshot.documents.map((doc) {
Firestore.instance
.collection('posts')
.document(doc.documentID)
.collection('feedback')
.getDocuments()
.then((allFeedbackDocs) => {
allFeedbackDocs.documents.forEach((feedbackDoc) {
var feedData = feedbackDoc.data;
})
});
return Post.fromMap(doc.data, doc.documentID);
}).toList();
return postList;
});
}
理想情况下,我想做的是向“Post.fromMap”提供好的和坏的反馈计数
有人能在这方面提供一些帮助吗?
基于@Sukhi的回答尝试了这个,但是得到了错误。继续没有得到任何数据,甚至有一个文档
如果我理解正确,如果没有“feedbackCount”文档,我必须添加它。如果有一个,我必须更新计数。
var feedBackRef = Firestore.instance
.collection('posts')
.document('fiCv95srzMufldYb15zw')
.collection('feedbackCount')
.document();
Firestore.instance.runTransaction((transaction) async {
transaction.get(countryRef).then((result) => {
if (result.exists)
{print('has data')}
else
{print('no data')}
});
});
在@Sukhi的帮助下,我想出了这个;
Future<void> updateFeedbackCount(
DocumentReference feedbackRef, int good, int bad, String docId) async {
var postRef =
Firestore.instance.collection(APIPath.posts()).document(docId);
await Firestore.instance.runTransaction((transaction) async {
await transaction.get(postRef).then((res) async {
if (!res.exists) {
throw PlatformException(
code: 'POST_FOR_FEEDBACK_NOT_FOUND',
message: "Could not found post for the feedback.",
);
}
var goodCount = res.data['good'] + good;
var badCount = res.data['bad'] + bad;
transaction.update(postRef, {
'good': goodCount,
'bad': badCount,
});
});
});
}
@override
Future<void> addFeedback(UserFeedback feedback, String postId) async {
var postRef =
Firestore.instance.collection(APIPath.feedback(postId)).document();
await postRef.setData(feedback.toMap()).then((result) =>
updateFeedbackCount(postRef, feedback.good, feedback.bad, postId));
}
2条答案
按热度按时间r1zhe5dt1#
汇总所有文档(.forEach)和计算总和可能是“昂贵的”-在性能和金钱方面都是如此,因为Firestore收费是基于读取,写入,删除操作的数量。现在,如果您有1000个文档和100个移动的应用程序用户,那么每天的读取操作数量将是1000 x 100 = 100,000。并且对于每个额外的文档,读取计数将增加100。
处理它的一种方法是维护另一个包含计数的文档。
查看this Firestore文档或this快速教程了解如何操作。
**感谢Frank提供文档链接。
xzlaal3s2#