我正在使用Cloud Firestore:
集合'events'包含使用唯一事件ID作为其名称的文档。在这些文档中有许多'EventComment'对象 - 每个对象代表用户发表的评论。
要将“EventComment”对象添加到文档中,我使用以下内容:
EventComment mcomment = new EventComment();
mcomment.setComment("this is a comment");
Map<String, EventComment> eventMap = new HashMap<>();
eventMap.put(Long.toHexString(Double.doubleToLongBits(Math.random())), mcomment);
firestore.collection("events").document(event_id)
.set(eventMap, SetOptions.merge()).addOnCompleteListener(new OnCompleteListener<Void>() {
@Override
public void onComplete(@NonNull Task<Void> task) {
Toast.makeText(EventCommentsActivity.this, "ya bastud", Toast.LENGTH_SHORT).show();
}
});
我创建了一个HashMap
的String和我的对象'EventComment',然后在文档中设置它。
但是,当我想要检索给定文档中包含的所有“EventComment”对象时,我无法将其转换为EventComment对象,即我不能这样做:
DocumentReference docRef = db.collection("events").document("vvG17ZfcLFVna8");
docRef.get().addOnSuccessListener(new OnSuccessListener<DocumentSnapshot>() {
@Override
public void onSuccess(DocumentSnapshot documentSnapshot) {
EventComment comment = documentSnapshot.toObject(EventComment.class);
}
});
此外,尝试将documentSnapshot强制转换为HashMap会产生“未经检查的强制转换”消息,并最终在其表面上显得平淡无奇。我们的想法是使用注释来填充RecyclerView。
我想我可能需要重构我存储数据的方式?
任何建议都将不胜感激。
干杯
答案 0 :(得分:2)
您猜对了,您需要重新构建存储数据的方式。我之所以这样说,是因为在实际数据库中存储类型为EventComment
的对象的方式不正确。正如您在有关Quotas and Limits的官方文档中所看到的,文档的最大大小为1MiB
。因此,如果您继续存储此类数据,您将在很短的时间内达到1MiB
的限制。
请记住,Cloud Firestore已针对存储大量小型文档进行了优化。要解决此问题,我建议您更改数据库结构,如下所示:
Firestore-root
|
--- events (collection)
| |
| --- eventId (document)
| | |
| | --- //event details
| |
| --- eventId (document)
| |
| --- //event details
|
--- comments (collection)
|
--- eventId (document)
|
--- eventComments (collection)
|
--- eventCommentId (document)
| |
| --- //event comment details
|
--- eventCommentId (document)
|
--- //event comment details
如您所见,EventComment
类型的每个对象都作为单独的文档添加到events
集合中。要读取所有事件对象,请使用以下代码:
DocumentReference docRef = db.collection("events");
docRef.get().addOnSuccessListener(new OnSuccessListener<DocumentSnapshot>() {
@Override
public void onSuccess(DocumentSnapshot documentSnapshot) {
EventComment comment = documentSnapshot.toObject(EventComment.class);
}
});
修改强>
如果您想要给定eventId的commnets
列表,请再次查看上面的数据库结构,看看它是如何表示的。正如您所看到的,我添加了一个名为comments
的新集合,其中给定eventId中的每个新注释也都存储为单独的文档。我想出了这个结构,以避免嵌套地图。
如果您有兴趣,可以查看我的 tutorials 之一,我已逐步解释了如何构建应用所需的数据库。