W przypadku MongoDB 3.6 i nowszych użyj $expr
operator, który pozwala na użycie wyrażeń agregujących w języku zapytań:
var followers_count = 30;
db.locations.find({
"$expr": {
"$and": [
{ "$eq": ["$name", "development"] },
{ "$gte": [{ "$size": "$followers" }, followers_count ]}
]
}
});
W przypadku niezgodnych wersji możesz użyć obu $match
i $redact
potoki do przeszukiwania Twojej kolekcji. Na przykład, jeśli chcesz zapytać o locations
kolekcja, której nazwa to 'development' i followers_count
jest większa niż 30, uruchom następującą operację zbiorczą:
const followers_count = 30;
Locations.aggregate([
{ "$match": { "name": "development" } },
{
"$redact": {
"$cond": [
{ "$gte": [ { "$size": "$followers" }, followers_count ] },
"$$KEEP",
"$$PRUNE"
]
}
}
]).exec((err, locations) => {
if (err) throw err;
console.log(locations);
})
lub w jednym potoku jako
Locations.aggregate([
{
"$redact": {
"$cond": [
{
"$and": [
{ "$eq": ["$name", "development"] },
{ "$gte": [ { "$size": "$followers" }, followers_count ] }
]
},
"$$KEEP",
"$$PRUNE"
]
}
}
]).exec((err, locations) => {
if (err) throw err;
console.log(locations);
})
Powyższe zwróci lokalizacje z samym _id
referencje od użytkowników. Aby zwrócić dokumenty użytkowników jako sposób na „zapełnienie” tablicy obserwujących, możesz następnie dołączyć $lookup
rurociąg.
Jeśli bazowa wersja serwera Mongo to 3.4 lub nowsza, możesz uruchomić potok jako
let followers_count = 30;
Locations.aggregate([
{ "$match": { "name": "development" } },
{
"$redact": {
"$cond": [
{ "$gte": [ { "$size": "$followers" }, followers_count ] },
"$$KEEP",
"$$PRUNE"
]
}
},
{
"$lookup": {
"from": "users",
"localField": "followers",
"foreignField": "_id",
"as": "followers"
}
}
]).exec((err, locations) => {
if (err) throw err;
console.log(locations);
})
w przeciwnym razie musisz $unwind
tablica obserwujących przed zastosowaniem $lookup
a następnie przegrupuj z $group
potem potok:
let followers_count = 30;
Locations.aggregate([
{ "$match": { "name": "development" } },
{
"$redact": {
"$cond": [
{ "$gte": [ { "$size": "$followers" }, followers_count ] },
"$$KEEP",
"$$PRUNE"
]
}
},
{ "$unwind": "$followers" },
{
"$lookup": {
"from": "users",
"localField": "followers",
"foreignField": "_id",
"as": "follower"
}
},
{ "$unwind": "$follower" },
{
"$group": {
"_id": "$_id",
"created": { "$first": "$created" },
"name": { "$first": "$name" },
"followers": { "$push": "$follower" }
}
}
]).exec((err, locations) => {
if (err) throw err;
console.log(locations);
})