PyMongo: How to create/drop databases

Updated: February 8, 2024 By: Guest Contributor Post a comment

Introduction

PyMongo is a Python distribution containing tools for working with MongoDB, and is the recommended way to work with MongoDB from Python. This guide will demonstrate how to create and drop databases for both beginners and advanced users, enhanced with multiple code examples.

Getting Started

Before diving into creating or dropping databases, ensure you have MongoDB and PyMongo installed. You can install PyMongo with pip:

pip install pymongo

Once installed, import MongoClient to connect to your MongoDB server:

from pymongo import MongoClient
client = MongoClient('localhost', 27017)

Creating a Database

In MongoDB, databases are created automatically when you first store data in them. Herehow to explicitly create a database:

db = client['new_database']
print('Database created: ', db.name)

This code doesncreate a database in MongoDB immediately. Instead, the database is created as soon as it gets its first collection and document.

Creating Collections and Documents

To create a collection within your new database and add a document, you can use the following:

collection = db['new_collection']
document = {'key': 'value'}
collection.insert_one(document)
print('Collection and document created')

This action creates both the collection and the document, effectively creating the database.

Dropping a Database

To drop a database, you can use the drop_database method:

client.drop_database('new_database')
print(database name dropped!)

Be cautious with this command as it will permanently delete the specified database and its data.

Advanced Topics

Listing Databases

Before creating or dropping a database, it might be useful to list all databases:

databases = client.list_database_names()
print(Databases: ', ', '.join(databases))

Checking Database Existence

To check if a database exists, you can use:

db_list = client.list_database_names()
if 'target_database' in db_list:
    print('Database exists')

Working with Authentication

When working with secured databases that require authentication, you can connect to MongoDB like this:

client = MongoClient('mongodb://username:password@localhost:27017/')

Conclusion

Creating and dropping databases in MongoDB using PyMongo is straightforward once you grasp the basic concepts. By following the outlined steps, yousharpen your database management skills and better understand how databases in MongoDB are managed programmatically. Whether youe working on a small project or an enterprise-level application, these techniques are essential for effective database management.