我有一个mongodb数据库,其中包含一个包含以下文档的用户集合
{
"_id": ObjectId("5161446e03642eab4a818fcd"),
"id": "35",
"userInfo": {
"name": "xyz",
"rollNumber": 121
}
}
我想获取id大于特定值的所有行
@GET
@Path("/query")
@Produces({ MediaType.APPLICATION_JSON })
public List<String> getLactionInfo(@QueryParam("from") int from) {
BasicDBObject query = new BasicDBObject();
// check if ids greater than 0
query.put("id", new BasicDBObject("$gt", from));
// get the collection of users
DBCursor cursor = getTable("users").find(query);
List<String> listUsers = new ArrayList<String>();
while (cursor.hasNext()) {
DBObject object = cursor.next();
String id = cursor.next().get("_id").toString();
object.put("_id", id);
String objectToString = object.toString();
listUsers.add(objectToString);
}
return listUsers;
}
当我调试我的代码时,它显示listUsers为null。当我在控制台中手动运行以下查询时,我没有得到任何结果。
db.users.find({id:{$gt:60}})
答案 0 :(得分:1)
示例数据中的id
存储为string
。因此,$gt
检查会尝试将integer
与string
进行比较。
如果您将id
值切换为integer
,则该值应按预期工作。
例如:
db.test.insert( { "id": 40, "name": "wired" } )
db.test.insert( { "id": 60, "name": "prairie" } )
db.test.insert( { "id": 70, "name": "stack" } )
db.test.insert( { "id": 80, "name": "overflow" } )
db.test.insert( { "id": "90", "name": "missing" } )
然后,测试:
> db.test.find({"id": { "$gt": 60 }}).pretty()
{
"_id" : ObjectId("516abfdf8e7f7f35107081cc"),
"id" : 70,
"name" : "stack"
}
{
"_id" : ObjectId("516abfe08e7f7f35107081cd"),
"id" : 80,
"name" : "overflow"
}
要快速修复数据,您可以在shell中执行以下操作(粘贴为一行并将myCollection
更改为您的集合名称:
db.myCollection.find().forEach(function(doc) { doc.id = parseInt(doc.id, 10);
db.test.save(doc); })