Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to get the object id in PyMongo after an insert?

People also ask

How is MongoDB object ID generated?

ObjectID is automatically generated by the database drivers, and will be assigned to the _id field of each document. ObjectID can be considered globally unique for all practical purposes. ObjectID encodes the timestamp of its creation time, which may be used for queries or to sort by creation time.

What does find_One return Pymongo?

The find_One() method of pymongo is used to retrieve a single document based on your query, in case of no matches this method returns nothing and if you doesn't use any query it returns the first document of the collection.

How can I see last inserted record in MongoDB?

To get last inserted document, use sort() along with limit(1).


One of the cool things about MongoDB is that the ids are generated client side.

This means you don't even have to ask the server what the id was, because you told it what to save in the first place. Using pymongo the return value of an insert will be the object id. Check it out:

>>> import pymongo
>>> collection = pymongo.Connection()['test']['tyler']
>>> _id = collection.insert({"name": "tyler"})
>>> print _id.inserted_id 
4f0b2f55096f7622f6000000

The answer from Tyler does not work for me. Using _id.inserted_id works

>>> import pymongo
>>> collection = pymongo.Connection()['test']['tyler']
>>> _id = collection.insert({"name": "tyler"})
>>> print(_id)
<pymongo.results.InsertOneResult object at 0x0A7EABCD>
>>> print(_id.inserted_id)
5acf02400000000968ba447f

It's better to use insert_one() or insert_many() instead of insert(). Those two are for the newer version. You can use inserted_id to get the id.

myclient = pymongo.MongoClient("mongodb://localhost:27017/")
myDB = myclient["myDB"]
userTable = myDB["Users"]
userDict={"name": "tyler"}

_id = userTable.insert_one(userDict).inserted_id
print(_id)

Or

result = userTable.insert_one(userDict)
print(result.inserted_id)
print(result.acknowledged)

If you need to use insert(), you should write like the lines below

_id = userTable.insert(userDict)
print(_id)

Newer PyMongo versions depreciate insert, and instead insert_one or insert_many should be used. These functions return a pymongo.results.InsertOneResult or pymongo.results.InsertManyResult object.

With these objects you can use the .inserted_id and .inserted_ids properties respectively to get the inserted object ids.

See this link for more info on insert_one and insert_many and this link for more info on pymongo.results.InsertOneResult.