从每组中选择前 N 行
我使用 mongodb 作为我的博客平台,用户可以在其中创建自己的博客。所有博客中的所有条目都位于条目集合中。条目的文档如下所示:
{
'blog_id':xxx,
'timestamp':xxx,
'title':xxx,
'content':xxx
}
正如问题所述,有没有办法为每个博客选择最后 3 个条目?
I use mongodb for my blog platform, where users can create their own blogs. All entries from all blogs are in an entries collection. The document of an entry looks like:
{
'blog_id':xxx,
'timestamp':xxx,
'title':xxx,
'content':xxx
}
As the question says, is there any way to select, say, last 3 entries for each blog?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(5)
您需要首先按
blog_id
和timestamp
字段对集合中的文档进行排序,然后进行初始分组,按降序创建原始文档的数组。之后,您可以使用文档对数组进行切片以返回前 3 个元素。在这个例子中可以遵循直觉:
You need to first sort the documents in the collection by the
blog_id
andtimestamp
fields, then do an initial group which creates an array of the original documents in descending order. After that you can slice the array with the documents to return the first 3 elements.The intuition can be followed in this example:
从
Mongo 5.2
开始,它是新的$topN
聚合累加器:这会应用一个
$topN
组累加:n: 2
) 元素sortBy: { _id: -1 }
定义,在本例中意味着通过相反的插入顺序输出:“$$ROOT”
),因为$$ROOT
代表正在处理的整个文档。Starting in
Mongo 5.2
, it's a perfect use case for the new$topN
aggregation accumulator:This applies a
$topN
group accumulation that:n: 2
) elementssortBy: { _id: -1 }
, which in this case means by reversed order of insertionoutput: "$$ROOT"
) since$$ROOT
represents the whole document being processed.如果您可以接受两件事,那么在基本 mongo 中执行此操作的唯一方法是:
如果是这样,请执行以下操作:
创建新的介绍后,进行正常插入,然后执行此更新以增加所有帖子的年龄(包括您刚刚为此博客插入的帖子):
db.entries.update({blog_id: BLOG_ID}, {age:{$inc:1}}, false, true)
查询时,使用以下查询将返回每个博客的最新 3 个条目:
db.entries.find({age:{$lte:3}, 时间戳:{$gte:STARTOFMONTH, $lt:ENDOFMONTH}}).sort({blog_id:1,age:1})
请注意,此解决方案实际上是并发安全的(没有具有重复年龄的条目)。
The only way to do this in basic mongo if you can live with two things :
If so, here's how you do it :
Upon creating a new intro do your normal insert and then execute this update to increase the age of all posts (including the one you just inserted for this blog) :
db.entries.update({blog_id: BLOG_ID}, {age:{$inc:1}}, false, true)
When querying, use the following query which will return the most recent 3 entries for each blog :
db.entries.find({age:{$lte:3}, timestamp:{$gte:STARTOFMONTH, $lt:ENDOFMONTH}}).sort({blog_id:1, age:1})
Note that this solution is actually concurrency safe (no entries with duplicate ages).
可以使用组(聚合),但这将创建全表扫描。
您真的需要 3 个帖子吗?还是可以设置一个限制...例如:上周/月最多发布 3 个帖子?
It's possible with group (aggregation), but this will create a full-table scan.
Do you really need exactly 3 or can you set a limit...e.g.: max 3 posts from the last week/month?
这个答案使用来自另一个问题的 drcosta 的地图减少做到了这一点
在 mongo 中,如何使用 Map Reduce 来获取按最近排序的组
This answer using map reduce by drcosta from another question did the trick
In mongo, how do I use map reduce to get a group by ordered by most recent