lets start by creating a new project airline
and an app flights
.
django-admin startproject airline
cd airline
python manage.py startapp flights
Now we’ll have to go through the process of adding an app as usual:
- Add flights to the
INSTALLED_APPS
list insettings.py
- Add a route for flights in
urls.py
:
path('flights/', include("flights.urls")),
- Create a
urls.py
file within theflights
application. And fill it with standard urls.py imports and lists.
from django.urls import path
from . import views
urlpatterns = []
Now before creating a view
lets go to models.py
and create a Flight
model.
class Flight(models.Model):
origin = models.CharField(max_length=64)
destination = models.CharField(max_length=64)
duration = models.IntegerField()
- In the first line, we create a new model that extends Django’s model class.
- Below, we add fields for
origin
,destination
, andduration
. The first two areChar Fields
, meaning they store strings, and the third is anInteger Field
. These are just two of many built-in Django Field classes. - We specify maximum lengths of 64 for the two Character Fields. you can check the specifications available for a given field by checking the documentation.
After creating our very first model
.
- This command creates some Python files that will create or edit our database to be able to store what we have in our models. If you navigate to your migrations directory, you’ll notice a new file was created for us
python manage.py makemigrations
- To apply these migrations to our database, we run the command
python manage.py migrate
Now, you’ll see some default migrations have been applied along with our own, and you’ll also notice that we now have a file called db.sqlite3
in our project’s directory.
# Import our flight model
In [1]: from flights.models import Flight
# Create a new flight
In [2]: f = Flight(origin="Mumbai", destination="Chennai", duration=218)
# Instert that flight into our database
In [3]: f.save()
# Query for all flights stored in the database
In [4]: Flight.objects.all()
Out[4]: <QuerySet [<Flight: Flight object (1)>]>
When we query our database, we see that we get just one flight called Flight object (1)
. This isn’t a very informative name, but we can fix that.
Inside models.py
, we’ll define a __str__
function that provides instructions for how to turn a Flight
object into a string
.
def __str__(self):
return f"{self.id}: {self.origin} to {self.destination}"
Now lets go back to our shell
# import our Flight model
In [1]: from flights.models import Flight
# Create a variable called flights to store the results of a query
In [2]: flights = Flight.objects.all()
# Displaying all flights
In [3]: flights
Out[3]: <QuerySet [<Flight: 1: Mumbai to Chennai>]>
# Isolating just the first flight
In [4]: flight = flights.first()
# Printing flight information
In [5]: flight
Out[5]: <Flight: 1: Mumbai to Chennai>
# Display flight id
In [6]: flight.id
Out[6]: 1
# Display flight origin
In [7]: flight.origin
Out[7]: 'Mumbai'
# Display flight destination
In [8]: flight.destination
Out[8]: 'Chennai'
# Display flight duration
In [9]: flight.duration
Out[9]: 218
Now that we have a basic understaning of how models work let's create some more
class Airport(models.Model):
code = models.CharField(max_length=3)
city = models.CharField(max_length=64)
def __str__(self):
return f"{self.city} ({self.code})"
class Flight(models.Model):
origin = models.ForeignKey(Airport, on_delete=models.CASCADE, related_name="departures")
destination = models.ForeignKey(Airport, on_delete=models.CASCADE, related_name="arrivals")
duration = models.IntegerField()
def __str__(self):
return f"{self.id}: {self.origin} to {self.destination}"
We specify that the origin
and destination
fields are each Foreign Keys, which means they refer to another object.
-
By entering
Airport
as our first argument, we are specifying the type of object this field refers to. -
The next argument,
on_delete=models.CASCADE
gives instructions for what should happen if an airport is deleted. In this case, we specify that when an airport is deleted, all flights associated with it should also be deleted. There are several other options in addition toCASCADE
. -
We provide a related name, which gives us a way to search for all
flights
with a givenairport
as theirorigin
ordestination
.
Every time we make changes in models.py
, we have to makemigrations
and then migrate
.
# since our Mumbai to Chennai flight does not fit
# in our new schema we will need to delete it
python manage.py flush
# migrations
python manage.py makemigrations
python manage.py migrate
- Inside
urls.py
urlpatterns = [
path('', views.index, name="index"),
]
- Inside
views.py
from django.shortcuts import render
from .models import Flight, Airport
def index(request):
return render(request, "flights/index.html", {
"flights": Flight.objects.all()
})
- Lets create a
layout.html
<!DOCTYPE html>
<html lang="en">
<head>
<title>Flights</title>
</head>
<body>
{% block body %}
{% endblock %}
</body>
</html>
- inside our
index.html
{% extends "flights/layout.html" %}
{% block body %}
<h1>Flights:</h1>
<ul>
{% for flight in flights %}
<li>Flight {{ flight.id }}: {{ flight.origin }} to {{ flight.destination }}</li>
{% endfor %}
</ul>
{% endblock %}
# Import all models
In [1]: from flights.models import *
# Create some new airports
In [2]: bom = Airport(code="BOM", city="Mumbai")
In [3]: delhi = Airport(code="DEL", city="Delhi")
In [4]: ist = Airport(code="IST", city="Istanbul")
In [5]: maa = Airport(code="MAA", city="Chennia")
# Save the airports to the database
In [6]: bom.save()
In [7]: delhi.save()
In [8]: ist.save()
In [9]: maa.save()
# Add a flight and save it to the database
f = Flight(origin=bom, destination=delhi, duration=218)
f.save()
# Display some info about the flight
In [10]: f
Out[10]: <Flight: 1: Mumbai (BOM) to Delhi (DEL)>
In [11]: f.origin
Out[11]: <Airport: Mumbai (BOM)>
# Using the related name to query by airport of arrival:
In [12]: delhi.arrivals.all()
Out[12]: <QuerySet [<Flight: 1: Mumbai (BOM) to Delhi (DEL)>]>
Django comes with a default admin interface that allows us to do create, read, update and delete our data more easily.
- We must first create an administrative user
python manage.py createsuperuser
- Now, we must add our models to the admin application by entering the admin.py file within our app
from django.contrib import admin
from .models import Flight, Airport
# Register your models here.
admin.site.register(Flight)
admin.site.register(Airport)
Lets add the ability to click on a flight to get more information about it.
- To do this, let’s create a URL path that includes the id of a flight:
path("<int:flight_id>", views.flight, name="flight")
views.py
we will create aflight
function that takes in a flight id and renders a new html page
def flight(request, flight_id):
flight = Flight.objects.get(id=flight_id)
return render(request, "flights/flight.html", {
"flight": flight
})
- create a template to display this flight information with a link back to the home pages.
flight.html
{% extends "flights/layout.html" %}
{% block body %}
<h1>Flight {{ flight.id }}</h1>
<ul>
<li>Origin: {{ flight.origin }}</li>
<li>Destination: {{ flight.destination }}</li>
<li>Duration: {{ flight.duration }} minutes</li>
</ul>
<a href="{% url 'index' %}">All Flights</a>
{% endblock %}
- Finally, we need to add the ability to link from one page to another, so we’ll modify our index page to include links.
index.html
{% extends "flights/layout.html" %}
{% block body %}
<h1>Flights:</h1>
<ul>
{% for flight in flights %}
<li>
<a href="{% url 'flight' flight.id %}">
Flight {{ flight.id }}
</a>: {{ flight.origin }} to {{ flight.destination }}</li>
{% endfor %}
</ul>
{% endblock %}
- Lets create a
Passenger
model
class Passenger(models.Model):
name = models.CharField(max_length=64)
flights = models.ManyToManyField(Flight, blank=True, related_name="passengers")
def __str__(self):
return f"{self.name}"
Passengers
have a Many to Many relationship withflights
, which we describe in Django using theManyToManyField
.- The first argument in this field is the class of objects that this one is related to.
- We have provided the argument
blank=True
which means a passenger can have no flights - We have added a
related_name
that serves the same purpose as it did earlier: it will allow us to find all passengers on a given flight.
To actually make these changes,
- we must
makemigrations
andmigrate
.
python manage.py makemigrations
python manage.py migrate
- We can then register the
Passenger
model inadmin.py
.
admin.site.register(Passenger)
- Visit
views.py
and update our flight view
def flight(request, flight_id):
flight = Flight.objects.get(id=flight_id)
passengers = flight.passengers.all()
return render(request, "flights/flight.html", {
"flight": flight,
"passengers": passengers
})
- Add a list of passengers to our
flight.html
<h2>Passengers:</h2>
<ul>
{% for passenger in passengers %}
<li>{{ passenger }}</li>
{% empty %}
<li>No Passengers.</li>
{% endfor %}
</ul>
urls.py
path("<int:flight_id>/book", views.book, name="book")
views.py
from django.http.response import HttpResponseRedirect
from django.urls import reverse
def book(request, flight_id):
# For a post request, add a new flight
if request.method == "POST":
# Accessing the flight
flight = Flight.objects.get(pk=flight_id)
# Finding the passenger id from the submitted form data
passenger_id = int(request.POST["passenger"])
# Finding the passenger based on the id
passenger = Passenger.objects.get(pk=passenger_id)
# Add passenger to the flight
passenger.flights.add(flight)
# Redirect user to flight page
return HttpResponseRedirect(reverse("flight", args=(flight.id,)))
- we’ll add some context to our flight template so that the page has access to everyone who is not currently a passenger on the flight using Django’s ability to exclude certain objects from a query:
def flight(request, flight_id):
flight = Flight.objects.get(id=flight_id)
passengers = flight.passengers.all()
non_passengers = Passenger.objects.exclude(flights=flight).all()
return render(request, "flights/flight.html", {
"flight": flight,
"passengers": passengers,
"non_passengers": non_passengers
})
- we’ll add a form to our flight page’s HTML using a select input field.
flight.html
<form action="{% url 'book' flight.id %}" method="post">
{% csrf_token %}
<select name="passenger" id="">
{% for passenger in non_passengers %}
<option value="{{ passenger.id }}">{{ passenger }}</option>
{% endfor %}
</select>
<input type="submit">
</form>