R : Updating an entry in mongodb using mongolite

北战南征 提交于 2019-11-30 20:36:33

the mongo$update() function takes a query and a update argument. You use the query to find the data you want to update, and the update to tell it which field to update.

Consider this example

library(mongolite)

## create some dummy data and insert into mongodb
df <- data.frame(id = 1:10,
                 value = letters[1:10])

mongo <- mongo(collection = "another_test", 
               db = "test", 
               url = "mongodb://localhost")

mongo$insert(df)

## the 'id' of the document I want to update
mongoID <- "575556825dabbf2aea1d7cc1"

## find some data
rawData <- mongo$find(query = paste0('{"_id": { "$oid" : "',mongoID,'" }}'), 
                      fields = '{"_id" : 1, 
                      "id" : 1, 
                      "value" : 1}')

## ...
## do whatever you want to do in R...
## ...

## use update to query on your ID, then 'set' to set the 'checkedByR' value to 1
mongo$update(query = paste0('{"_id": { "$oid" : "', mongoID, '" } }'),
             update = '{ "$set" : { "checkedByR" : 1} }')
## in my original data I didn't have a 'checkedByR' value, but it's added anyway

Update

the rmongodb library is no longer on CRAN, so the below code won't work


And for more complex structures & updates you can do things like

library(mongolite)
library(jsonlite)
library(rmongodb)  ## used to insert a non-data.frame into mongodb

## create some dummy data and insert into mongodb
lst <- list(id = 1,
            value_doc = data.frame(id = 1:5,
                                   value = letters[1:5],
                                   stringsAsFactors = FALSE),
                        value_array = c(letters[6:10]))

## using rmongodb
mongo <- mongo.create(db = "test")
coll <- "test.another_test"

mongo.insert(mongo, 
             ns = coll, 
             b = mongo.bson.from.list(lst))

mongo.destroy(mongo)

## update document with specific ID
mongoID <- "5755f646ceeb7846c87afd90"

## using mongolite
mongo <- mongo(db = "test", 
               coll = "another_test", 
               url = "mongodb://localhost")


## to add a single value to an array
mongo$update(query = paste0('{"_id": { "$oid" : "', mongoID, '" } }'),
                         update = '{ "$addToSet" : { "value_array" :  "checkedByR"  } }')

## To add a document  to the value_array
mongo$update(query = paste0('{"_id": { "$oid" : "', mongoID, '" } }'),
                         update = '{ "$addToSet" : { "value_array" : { "checkedByR" : 1} } }')

## To add to a nested array
mongo$update(query = paste0('{"_id": { "$oid" : "', mongoID, '" } }'),
                         update = '{ "$addToSet" : { "value_doc.value" :  "checkedByR" } }')

rm(mongo); gc()

see mongodb update documemtation for further details

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!