28

我正在尝试在我的数据库中查询大于/小于用户指定数字的价格。在我的数据库中,价格存储如下:

{price: "300.00"}

根据文档,这应该有效:

db.products.find({price: {$gt:30.00}}).pretty()

但我没有返回任何结果。我也试过了{price: {$gt:30}}

我在这里想念什么?

是因为价格在数据库中存储为字符串而不是数字吗?有没有解决的办法?

4

5 回答 5

28

如果您打算将 $gt 与字符串一起使用,则必须使用正则表达式,这在性能方面并不是很好。只创建一个保存价格数值的新字段或将此字段类型更改为 int/double 会更容易。javascript 版本也应该可以工作,如下所示:

db.products.find("this.price > 30.00")

因为js会在使用前将其转换为数字。但是,索引不适用于此查询。

于 2013-08-04T03:17:30.767 回答
23

$gt是一个可以处理任何类型的运算符:

db.so.drop();
db.so.insert( { name: "Derick" } );
db.so.insert( { name: "Jayz" } );
db.so.find( { name: { $gt: "Fred" } } );

回报:

{ "_id" : ObjectId("51ffbe6c16473d7b84172d58"), "name" : "Jayz" }

如果您想用$gt或与一个数字进行比较$lt,那么文档中的值也需要是一个数字。MongoDB 中的类型是严格的,不会像 PHP 中那样自动转换。为了解决您的问题,请确保将价格存储为数字(浮点数或整数):

db.so.drop();
db.so.insert( { price: 50.40 } );
db.so.insert( { price: 29.99 } );
db.so.find( { price: { $gt: 30 } } );

回报:

{ "_id" : ObjectId("51ffbf2016473d7b84172d5b"), "price" : 50.4 }
于 2013-08-05T15:05:21.850 回答
14

开始Mongo 4.0,有一个新的$toDouble聚合运算符,它从各种类型转换为双精度(在本例中为字符串):

// { price: "300.00" }
// { price: "4.2" }
 db.collection.find({ $expr: { $gt: [{ $toDouble: "$price" }, 30] } })
// { price: "300.00" }
于 2019-06-13T21:06:06.130 回答
4

如果你有更新版本的 mongodb 那么你可以这样做:

$expr: {
          $gt: [
             { $convert: { input: '$price', to: 'decimal' } },
             { $convert: { input: '0.0', to: 'decimal' } }
               ]
              }

$expr 运算符:https ://docs.mongodb.com/manual/reference/operator/query/expr/

$convert 运算符:https ://docs.mongodb.com/manual/reference/operator/aggregation/convert/index.html

于 2019-04-09T11:13:30.887 回答
2

或者,您可以按照以下方式将值转换为 Int: http ://www.quora.com/How-can-I-change-a-field-type-from-String-to-Integer-in-mongodb

var convert = function(document){
var intValue = parseInt(document.field, 10);
  db.collection.update(
    {_id:document._id}, 
    {$set: {field: intValue}}
  );
}

db.collection.find({field: {$type:2}},{field:1}).forEach(convert)
于 2015-02-09T16:26:09.200 回答