我有一个看起来像这样的架构
var Post = new mongoose.Schema({
author: {
type: mongoose.Schema.Types.ObjectId,
ref: 'User'
},
created: {
type: Date,
Default: Date.now
})
我也有一张用户表。我有一组用户ID,我试图根据用户ID数组
搜索帖子表例如
var userIds = ["575e96652473d2ab0ac51c1e","575e96652473d2ab0ac51c1d"] .... and so on
我想返回这些用户创建的所有帖子。帖子应按创建日期排序。有没有办法根据提供的用户ID对此帖子进行分组,基本上匹配单个用户的帖子?
我想要达到的结果是这样的:
[{
userAId : "56656.....",
post : [postA, postB],
},{
userBId :"12345...",
post : [postA, postB]
}]
如何撰写此查询?
这是我到目前为止所拥有的
Post.aggregate([{
// {"$unwind" : ""},
// "$group": {
// _id: "$author",
// "created" : {"$sum" : 1 }
// }
"$match" : { author : id}
}]).exec(function(error, data) {
if(error){
return console.log(error);
}else{
return console.log(data)
}
})
{
"_id" : ObjectId("575e95bc2473d2ab0ac51c1b"),
"lastMod" : ISODate("2016-06-13T11:15:08.950Z"),
"author" : ObjectId("575dac62ec13010678fe41cd"),
"created" : ISODate("2016-06-13T11:15:08.947Z"),
"type" : "photo",
"end" : null,
"commentCount" : 0,
"viewCount" : 0,
"likes" : 0,
"tags" : [],
"title" : "Today is a good day",
"__v" : 0
}
答案 0 :(得分:2)
要返回ID列表中描述的用户创建的所有帖子,请在查询中使用 $in
运算符,然后链接 sort()
查询的方法,按创建的日期字段对结果进行排序:
Post.find({ "author": { "$in": userIds } })
.sort("-created") // or .sort({ field: 'asc', created: -1 });
.exec(function (err, data){
if(err){
return console.log(err);
} else {
return console.log(data);
}
});
要获得每个用户分组了帖子ID的结果,您需要运行以下聚合操作:
Post.aggregate([
{ "$match" : { "author": { "$in": userIds } } },
{ "$sort": { "created": -1 } },
{
"$group" : {
"_id" : "$author",
"posts" : { "$push": "$_id" }
}
},
{
"$project": {
"_id": 0,
"userId": "$_id",
"posts": 1
}
}
]).exec(function (err, result){
if(err){
return console.log(err);
} else {
return console.log(result);
}
});
或者使用流畅的API:
Post.aggregate()
.match({ "author": { "$in": userIds } })
.sort("-created")
.group({
"_id" : "$author",
"posts" : { "$push": "$_id" }
})
.project({
"_id" : 0,
"userId" : "$_id",
"posts": 1
})
.exec(function (err, result){
if(err){
return console.log(err);
} else {
return console.log(result);
}
});
答案 1 :(得分:0)
这应该是可能的,没有聚合。
Post
.find({ author: { $in: userIds } })
.sort({ created: -1 })
如果你得到CastError:Cast到ObjectId失败,请确保将userIds数组从字符串数组映射到mongoose id的数组。
userIds = userIds.map(userId => new mongoose.Types.ObjectId(userId))