我正在尝试从用户关注的人那里获取帖子列表,并按照帖子的发布时间对其进行排序。因此,无论是谁发布的,只要用户一直在关注他们,就会首先看到该用户集合中的最新发布。我已经尝试过了(这不是完全正确的,只是想把概念放下来):
// get all the users you are following -- this will count for a lot of reads if they follow 3000 people
const following = await db
.collection('users')
.doc(userHandle)
.collection('following')
.get()
// get the first 10 posts from those users ordered by recently posted
const promises = following.map((doc) => {
return db
.collection('posts')
.orderBy('createdAt', 'desc')
.where('userHandle', '==', doc.data().userHandle)
.limit(10)
.get()
.then(async (data) => {
return data.docs.map((doc) => {
return {
postId: doc.id,
userHandle: doc.data().userHandle,
userImageUrl: doc.data().userImageUrl,
imageUrl: doc.data().imageUrl,
likeCount: doc.data().likeCount,
};
})
})
});
Promise.all(promises)
.then((posts) => {
res.json(posts);
})
上述概念的问题...如果用户关注大量用户,这将返回很多帖子。该限制仅适用于可以在该页面上返回的一位用户的帖子数量。同样,它将从最近到最旧的一个用户返回10个帖子,然后从最近到最旧的下一个用户返回10个帖子,即使最近的帖子更多。我当时想添加一个计数器,如果返回的帖子数大于10,则停止该函数并仅返回那10条,但是我在保证函数返回null之前遇到了问题,这就是为什么当我返回所有内容时使用promise.all完成循环。这样行吗?这样可以解决限制问题,但不能从当前用户关注的用户集合中获得绝对最新的帖子。我希望firestore有一个大查询,在这里我可以获取所有最近的帖子,这些帖子的用户名与以下数组中的一个用户名匹配(可以从上述代码顶部的以下函数返回)。可以肯定的是,即使我只是将用户名字段转换为数组,我也只能检查10个值。
答案 0 :(得分:1)
因此,如果我理解正确,那么您希望从用户关注的人那里获得帖子,并且希望按时间对它们进行排序。然后,我建议您这样做:
首先,将以下用户列表保存在数组中,例如following: ['celeb1','celeb2']
。
然后将所有帖子保存在一个集合中,该集合具有类似文件
{
content: 'some content',
author: 'celeb1',
time: 1598681888 //timestamp or whatever you like
//some more props
}
当您想为用户获取帖子时,只需
//Get the array contains all folloing people
let following = await db.collection('users').doc(userHandle).get();
//Get the first 10 posts from following people
let posts = await db.collection('posts').where('author', 'in',
following.data().following).limit(10).orderBy('time', 'desc').get();
在in
查询中检查this。