我是MongoDB的新手。我的示例文档是
{
"Notification" : [
{
"date_from" : ISODate("2013-07-08T18:30:00Z"),
"date_too" : ISODate("2013-07-30T18:30:00Z"),
"description" : "fdfd",
"url" : "www.adf.com"
},
{
"date_from" : ISODate("2013-07-01T18:30:00Z"),
"date_too" : ISODate("2013-07-30T18:30:00Z"),
"description" : "ddddddddddd",
"url" : "www.pqr.com"
}
],
我正在尝试更新"url" : "www.adf.com"
的通知。我的Java代码是:
BasicDBObject query=new BasicDBObject("url","www.adf.com");
DBCursor f = con.coll.find(query);
它不会搜索"url"
为"www.adf.com"
的文档。
答案 0 :(得分:13)
在这种情况下,您有一个嵌套文档。您的文档有一个字段Notification
,它是一个存储多个子对象且字段为url
的数组。要在子字段中搜索,您需要使用点语法:
BasicDBObject query=new BasicDBObject("Notification.url","www.adf.com");
但是,这将使整个Notification
数组返回整个文档。您可能只想要子文档。要对此进行过滤,您需要使用the two-argument version of Collection.find。
BasicDBObject query=new BasicDBObject("Notification.url","www.example.com");
BasicDBObject fields=new BasicDBObject("Notification.$", 1);
DBCursor f = con.coll.find(query, fields);
The .$
means "only the first entry of this array which is matched by the find-operator"
这仍应返回一个带有子数组Notifications
的文档,但此数组应仅包含url == "www.example.com"
的条目。
要使用Java遍历此文档,请执行以下操作:
BasicDBList notifications = (BasicDBList) f.next().get("Notification");
BasicDBObject notification = (BasicDBObject) notifications.get(0);
String url = notification.get("url");
顺便说一下:当您的数据库增长时,您可能会遇到性能问题,除非您创建索引来加速此查询:
con.coll.ensureIndex(new BasicDBObject("Notification.url", 1));