如何使用java驱动程序更新mongo db中的文档字段?

2022-09-02 20:30:46

引用:

对mongo db来说仍然很陌生,但我正在尝试更新集合中现有文档的一部分...不幸的是,上面的链接没有更新示例。

从本质上讲,我只想能够:

  1. 向文档添加新域
  2. 将文档的现有域更新为新值

这是我的代码(Grails + Groovy + Java + MongoDB + java驱动程序):

def shape = mongo.shapes.findOne(new BasicDBObject("data", "http://www.foo.com")); // get the document
mongo.shapes.update(new BasicDBObject("_id", shape._id), new BasicDBObject("isProcessed", 0));  // add a new "isProcessed" field set to 0
mongo.shapes.update(new BasicDBObject("_id", shape._id), new BasicDBObject("data", "http://www.bar.com"));

这几乎掩盖了整个物体...我可能会尝试修改原始形状对象,然后对其运行更新。但在此之前,是否有人有仅更新单个字段(而不是整个文档)的经验?

编辑:

我刚刚尝试了一下,并且能够通过使用新的和/或更新的字段发送整个对象来成功更新,并且有效。我想知道驱动程序是否足够智能,只能更新最小的更改子集,或者它只是盲目地更新整个事情?(在下面的例子中,它只是更新了电线上的foo字段还是整个形状文档?

法典:

def shape = mongo.shapes.findOne(); // get the first shape to use as a base
shape.removeField("_id");  // remove the id field
shape.put("foo","bar");  // add a new field "foo"
mongo.shapes.insert(shape);  // insert the new shape
def shape2 = mongo.shapes.findOne(new BasicDBObject("foo", "bar"));  // get the newly inserted shape (and more importantly, it's id)
shape2.put("foo", "bat");  // update the "foo" field to a new value
mongo.shapes.update(new BasicDBObject("_id", shape2._id), shape2);  // update the existing document in mongo

答案 1

我想知道驱动程序是否足够智能,只能更新最小的更改子集,或者它只是盲目地更新整个事情?

不,如果您使用“正常”更新方法,则整个对象将通过网络发送。我怀疑数据库服务器本身会足够聪明,如果可能的话,只更新必要的索引(而不是那些没有改变的索引)(即对象可以就地更新,而不必移动,因为它增长太多了)

您可以做的是使用“原子更新修饰符”函数。Java文档对它们有点轻描淡写,但是由于驱动程序只是传输JSON,因此非Java教程中的内容应该可以正常工作,例如:

shapes.update((DBObject)JSON.parse(    "{ 'foo' : 'bar'}"),  
    (DBObject) JSON.parse(          "{ '$set' : { 'foo': 'bat'}}")   );

答案 2

在这里找到一个示例,它似乎显示了更新调用的用法。所以对于你的例子,我相信这样的东西应该有效吗?

// Find an object
def shape2 = mongo.shapes.findOne( new BasicDBObject( 'foo', 'bar' ) )
// And update the foo field from 'bar' to 'bat'
mongo.shapes.update( shape2, new BasicDBObject( '$set', new BasicDBObject( 'foo', 'bat' ) ) )

编辑

您可以使用类别以更时髦的方式构造 BasicDBObjects...

像这样的东西可能会做到这一点:

class BasicDBObjectMapBuilder {
  static String toDbObj( String s ) { s }
  static BasicDBObject toDbObj( Map m ) {
    m.inject( null ) { r, it -> new BasicDBObject( it.key, it.value.toDbObj() ) }
  }
}

use( BasicDBObjectMapBuilder ) {
  def shape2 = mongo.shapes.findOne( new BasicDBObject( 'foo', 'bar' ) )
  // And update the foo field from 'bar' to 'bat'
  mongo.shapes.update( shape2, [ '$set':[ 'foo', 'bat' ] ].toDbObj() )
}

我还没有测试过这个...

编辑 2

实际上,BasicDBObject是一个Map,所以你应该能够做到:

  mongo.shapes.update( shape2, [ '$set':[ 'foo', 'bat' ] ] as BasicDBObject )

无需构建器