假设我有一个包含比率属性是浮点数的文档的集合。
{'ratio':1.437}
如何编写查询以查找具有与给定整数最接近的值的单个文档,而不使用驱动程序将它们全部加载到内存中并找到具有最小值abs(x-ratio)
的文档?
答案 0 :(得分:22)
有趣的问题。我不知道你是否可以在一个查询中完成它,但你可以在两个中完成:
var x = 1; // given integer
closestBelow = db.test.find({ratio: {$lte: x}}).sort({ratio: -1}).limit(1);
closestAbove = db.test.find({ratio: {$gt: x}}).sort({ratio: 1}).limit(1);
然后,您只需检查两个文档中哪一个ratio
最接近目标整数。
MongoDB 3.2更新
3.2版本增加了对$abs
绝对值聚合运算符的支持,现在允许在单个aggregate
查询中完成此操作:
var x = 1;
db.test.aggregate([
// Project a diff field that's the absolute difference along with the original doc.
{$project: {diff: {$abs: {$subtract: [x, '$ratio']}}, doc: '$$ROOT'}},
// Order the docs by diff
{$sort: {diff: 1}},
// Take the first one
{$limit: 1}
])
答案 1 :(得分:6)
我有另一个想法,但非常棘手,需要更改您的数据结构。
您可以使用mongodb支持的geolocation index
首先,将您的数据更改为此结构,并将第二个值保留为0
{'ratio':[1.437, 0]}
然后您可以使用$near
运算符来查找最接近的比率值,并且因为运算符返回按距离排序的列表和您给出的整数,所以必须使用limit
才能获得最接近的价值。
db.places.find( { ratio : { $near : [50,0] } } ).limit(1)
如果您不想这样做,我想您可以使用@ JohnnyHK的答案:)