我所有的记录都有一个名为“图片”的字段。这个字段是一个字符串数组。

我现在想要最新的10条记录,其中这个数组不是空的。

我搜索了一下,但奇怪的是,我并没有在这方面找到太多。 我已经阅读了$where选项,但我想知道本机函数有多慢,如果有更好的解决方案。

即便如此,这也行不通:

ME.find({$where: 'this.pictures.length > 0'}).sort('-created').limit(10).execFind()

返回什么。离开这。没有长度位的图片也可以,但当然,它也会返回空记录。


当前回答

你也可以使用帮手方法Exists代替Mongo操作符$ Exists

ME.find()
    .exists('pictures')
    .where('pictures').ne([])
    .sort('-created')
    .limit(10)
    .exec(function(err, results){
        ...
    });

其他回答

{ $where: "this.pictures.length > 1" }

使用$where并传递this.field_name。长度,返回数组字段的大小,并通过与number比较来检查它。如果任何数组有任何值,则数组大小必须至少为1。所有数组字段的长度都大于1,这意味着数组中有一些数据

您可以使用以下任何一种方法来实现此目的。 对于不包含所请求键的对象,两者都不会返回结果:

db.video.find({pictures: {$exists: true, $gt: {$size: 0}}})
db.video.find({comments: {$exists: true, $not: {$size: 0}}})
db.find({ pictures: { $elemMatch: { $exists: true } } })

$elemMatch匹配包含数组字段的文档,其中至少有一个元素与指定的查询匹配。

所有数组都匹配至少一个元素。

ME.find({pictures: {$exists: true}}) 

就这么简单,这招对我很管用。

从2.6版本开始,另一种方法是将字段与空数组进行比较:

ME.find({pictures: {$gt: []}})

在外壳中进行测试:

> db.ME.insert([
{pictures: [1,2,3]},
{pictures: []},
{pictures: ['']},
{pictures: [0]},
{pictures: 1},
{foobar: 1}
])

> db.ME.find({pictures: {$gt: []}})
{ "_id": ObjectId("54d4d9ff96340090b6c1c4a7"), "pictures": [ 1, 2, 3 ] }
{ "_id": ObjectId("54d4d9ff96340090b6c1c4a9"), "pictures": [ "" ] }
{ "_id": ObjectId("54d4d9ff96340090b6c1c4aa"), "pictures": [ 0 ] }

因此,它正确地包含了其中pictures至少有一个数组元素的文档,并排除了其中pictures为空数组、不是数组或缺失的文档。