CRUD operations in MongoDB, i.e. Create, Read, Update, Delete.
The code is for Pymongo.
Preparation
1 2 3 4 5 6 7 8 9 10 11
import datetime from pymongo import MongoClient
client = MongoClient() db = client.test_database collection = db.test_collection
post = {'author': 'Mike', 'text': 'My first blog post!', 'tags': ['mongodb', 'python', 'pymongo'], 'date': datetime.datetime.utcnow()}
CREATE:
1 2 3 4
defcreate_lines(): collection.insert_one(post) # if we have multiple posts (an array of dictionaries) collection.insert_many(posts)
READ:
1 2 3 4
defread_lines(): collection.find_one({'author': 'Mike'}) # if we want to find multiple records at the same time collection.find_many({'author': 'Mike'})
UPDATE:
1 2 3 4 5 6
defupdate_lines(): collection.update_one({'author': 'Mike'}, {'$set': {'text': 'My second blog post!'}}) # if we want to update all the relevant records at the same time collection.update_many({'author': 'Mike'}, {'$set': {'text': 'My second blog post!'}})
DELETE:
1 2 3 4
defdelete_lines(): collection.delete_one({'author': 'Mike'}) # if we want to delete the matched records all at once collection.delete_many({'author': 'Mike'})
I would say MongoDB is designed in a way that is very user-friendly.