Swiftorial Logo
Home
Swift Lessons
Matchups
CodeSnaps
Tutorials
Career
Resources

Connecting to a Database in Django

Introduction

In this tutorial, we will discuss how to connect a Django application to a database. Django supports several databases such as PostgreSQL, MySQL, SQLite, and Oracle. We will cover the steps needed to configure and connect to a database from scratch.

1. Install Django

First, ensure that you have Django installed. If not, you can install it using pip:

pip install django

2. Create a New Django Project

Create a new Django project by running the following command:

django-admin startproject myproject

Navigate into the project directory:

cd myproject

3. Configure the Database Settings

Open the settings.py file located in the project directory (myproject/myproject/settings.py). Locate the DATABASES setting and modify it to use your desired database. Here’s an example configuration for a PostgreSQL database:

DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.postgresql',
        'NAME': 'mydatabase',
        'USER': 'mydatabaseuser',
        'PASSWORD': 'mypassword',
        'HOST': 'localhost',
        'PORT': '5432',
    }
}
                    

Ensure that you have the appropriate database driver installed for the database you are using. For PostgreSQL, you can install the driver with:

pip install psycopg2

4. Apply Migrations

After configuring the database settings, apply the initial migrations to set up the database schema:

python manage.py migrate

This command applies all the migrations necessary to set up the initial database schema based on the default applications included with Django.

5. Create a Superuser

Create a superuser account to access the Django admin interface:

python manage.py createsuperuser

Follow the prompts to set up the superuser credentials.

6. Run the Development Server

Start the Django development server to verify that everything is set up correctly:

python manage.py runserver

Open a web browser and navigate to http://127.0.0.1:8000/. You should see the Django welcome page. To access the admin interface, go to http://127.0.0.1:8000/admin/ and log in with the superuser credentials you created earlier.

Conclusion

Congratulations! You have successfully connected your Django application to a database. You can now proceed to create models, perform database operations, and build your application further. Refer to the Django documentation for more advanced database configurations and operations.