Learning Django
Learning Django
#django
Table of Contents
About 1
Remarks 2
Versions 2
Examples 3
Starting a Project 3
Django Concepts 5
Virtual Environment 7
Python 3.3+ 7
Python 2 7
Project Structure 10
Dockerfile 11
Compose 11
Nginx 12
Usage 12
Chapter 2: Administration 14
Examples 14
Change list 14
views.py 17
urls.py 17
forms.py 17
admin.py 18
Syntax 19
Remarks 19
Examples 19
A basic ArrayField 19
Nesting ArrayFields 20
Querying for all models who contain any item in a list with contained_by 20
Remarks 21
Examples 21
Examples 23
Remarks 24
Examples 24
views.py 24
urls.py 24
Context data 24
views.py 25
book.html 25
app/models.py 25
app/views.py 25
app/templates/app/pokemon_list.html 26
app/templates/app/pokemon_detail.html 26
app/urls.py 26
app/views.py 27
app/templates/app/pokemon_form.html (extract) 27
app/templates/app/pokemon_confirm_delete.html (extract) 28
app/models.py 28
Minimal example 29
Remarks 32
Examples 32
Using a context processor to access your most recent blog entries in all templates 32
Examples 35
Examples 37
Examples 42
Examples 45
Examples 47
MySQL / MariaDB 47
PostgreSQL 48
sqlite 49
Fixtures 49
Examples 52
Atomic transactions 52
Problem 52
Solution 52
Remarks 54
Examples 54
Consider Writing More Documentation, Tests, Logging and Assertions Instead of Using a Debu 57
Examples 58
NGINX 61
GUNICORN 62
SUPERVISOR 62
Examples 65
Remarks 71
Examples 71
Examples 72
Examples 74
Examples 75
Use the `email` as username and get rid of the `username` field 78
Introduction 85
Syntax 85
Examples 85
Examples 88
Composite widget 88
Chapter 23: Forms 90
Examples 90
ModelForm Example 90
Syntax 96
Examples 96
Introduction 98
Remarks 98
Examples 98
Introduction 101
Examples 101
Resetting Django Migration: Deleting existing database and migrating as fresh 101
Examples 102
Syntax 104
Examples 104
Setting up 104
settings.py 104
Marking strings as translatable 104
Syntax 111
Remarks 111
Examples 111
Examples 113
Introduction 116
Remarks 116
Examples 116
Examples 120
Chapter 33: Mapping strings to strings with HStoreField - a PostgreSQL specific field 122
Syntax 122
Remarks 122
Examples 122
Remarks 124
Examples 124
Introduction 125
Remarks 125
Examples 125
Parameters 129
Examples 129
Introduction 132
Introduction 135
Examples 135
Parameters 138
Remarks 139
Examples 139
BinaryField 142
CharField 142
DateTimeField 142
ForeignKey 142
Introduction 144
Examples 144
Inheritance 153
Examples 155
Introduction 157
Examples 157
Problem 158
Solution 159
Problem 160
Solution 161
Syntax 164
Examples 164
Examples 166
CELERY 166
Examples 170
Examples 174
settings.py 175
Alternative #1 177
Alternative #2 177
Structure 177
Parameters 181
Remarks 181
Examples 182
Examples 185
Examples 189
Variables 189
summary 192
Guide 193
Introduction 195
Examples 195
Examples 197
Examples 204
Set the URL namespace for a reusable app (Django 1.9+) 206
Remarks 208
Examples 208
Introduction 210
Examples 210
Credits 211
About
You can share this PDF with anyone you feel could benefit from it, downloaded the latest version
from: django
It is an unofficial and free Django ebook created for educational purposes. All the content is
extracted from Stack Overflow Documentation, which is written by many hardworking individuals at
Stack Overflow. It is neither affiliated with Stack Overflow nor official Django.
The content is released under Creative Commons BY-SA, and the list of contributors to each
chapter are provided in the credits section at the end of this book. Images may be copyright of
their respective owners unless otherwise specified. All trademarks and registered trademarks are
the property of their respective company owners.
Use the content presented in this book at your own risk; it is not guaranteed to be correct nor
accurate, please send your feedback and corrections to info@zzzprojects.com
https://riptutorial.com/ 1
Chapter 1: Getting started with Django
Remarks
Django advertises itself as "the web framework for perfectionists with deadlines" and "Django
makes it easier to build better Web apps more quickly and with less code". It can be seen as an
MVC architecture. At it's core it has:
Versions
1.11 2017-04-04
1.10 2016-08-01
1.9 2015-12-01
1.8 2015-04-01
1.7 2014-09-02
1.6 2013-11-06
1.5 2013-02-26
1.4 2012-03-23
1.3 2011-03-23
https://riptutorial.com/ 2
Version Release Date
1.2 2010-05-17
1.1 2009-07-29
1.0 2008-09-03
Examples
Starting a Project
Django is a web development framework based on Python. Django 1.11 (the latest stable release)
requires Python 2.7, 3.4, 3.5 or 3.6 to be installed. Assuming pip is available, installation is as
simple as running the following command. Keep in mind, omitting the version as shown below will
install the latest version of django:
For installing specific version of django, let's suppose the version is django 1.10.5 , run the
following command:
Web applications built using Django must reside within a Django project. You can use the django-
admin command to start a new project in the current directory:
where myproject is a name that uniquely identifies the project and can consist of numbers, letters,
and underscores.
myproject/
manage.py
myproject/
__init__.py
settings.py
urls.py
wsgi.py
$ cd myproject
$ python manage.py runserver
Now that the server’s running, visit http://127.0.0.1:8000/ with your web browser. You’ll see the
https://riptutorial.com/ 3
following page:
By default, the runserver command starts the development server on the internal IP at port 8000.
This server will automatically restart as you make changes to your code. But in case you add new
files, you’ll have to manually restart the server.
If you want to change the server’s IP, pass it along with the port.
Note that runserver is only for debug builds and local testing. Specialised server programs (such
as Apache) should always be used in production.
A Django project usually contains multiple apps. This is simply a way to structure your project in
smaller, maintainable modules. To create an app, go to your projectfolder (where manage.py is),
and run the startapp command (change myapp to whatever you want):
This will generate the myapp folder and some necessary files for you, like models.py and views.py.
# myproject/settings.py
# Application definition
INSTALLED_APPS = [
...
'myapp',
]
The folder-structure of a Django project can be changed to fit your preference. Sometimes the
https://riptutorial.com/ 4
project folder is renamed to /src to avoid repeating folder names. A typical folder structure looks
like this:
Django Concepts
django-admin is a command line tool that ships with Django. It comes with several useful
commands for getting started with and managing a Django project. The command is the same as
./manage.py , with the difference that you don't need to be in the project directory. The
DJANGO_SETTINGS_MODULE environment variable needs to be set.
A Django project is a Python codebase that contains a Django settings file. A project can be
created by the Django admin through the command django-admin startproject NAME. The project
typically has a file called manage.py at the top level and a root URL file called urls.py. manage.py is a
project specific version of django-admin, and lets you run management commands on that project.
For example, to run your project locally, use python manage.py runserver. A project is made up of
Django apps.
A Django app is a Python package that contains a models file (models.py by default) and other
files such as app-specific urls and views. An app can be created through the command django-
admin startapp NAME (this command should be run from inside your project directory). For an app to
be part of a project, it must be included in the INSTALLED_APPS list in settings.py. If you used the
standard configuration, Django comes with several apps of it's own apps preinstalled which will
handle things like authentication for you. Apps can be used in multiple Django projects.
The Django ORM collects all of the database models defined in models.py and creates database
tables based on those model classes. To do this, first, setup your database by modifying the
DATABASES setting in settings.py. Then, once you have defined your database models, run python
https://riptutorial.com/ 5
followed by python
manage.py makemigrations manage.py migrate to create or update your database's
schema based on your models.
Step 1 If you already have Django installed, you can skip this step.
That will create a folder named hello which will contain the following files:
hello/
├── hello/
│ ├── __init__.py
│ ├── settings.py
│ ├── urls.py
│ └── wsgi.py
└── manage.py
Step 3 Inside the hello module (the folder containing the __init.py__) create a file called views.py:
hello/
├── hello/
│ ├── __init__.py
│ ├── settings.py
│ ├── urls.py
│ ├── views.py <- here
│ └── wsgi.py
└── manage.py
def hello(request):
return HttpResponse('Hello, World')
urlpatterns = [
url(r'^admin/', admin.site.urls),
url(r'^$', views.hello)
https://riptutorial.com/ 6
]
Step 6
Hello, World
Virtual Environment
Although not strictly required, it is highly recommended to start your project in a "virtual
environment." A virtual environment is a container (a directory) that holds a specific version of
Python and a set of modules (dependencies), and which does not interfere with the operating
system's native Python or other projects on the same computer.
By setting up a different virtual environment for each project you work on, various Django projects
can run on different versions of Python, and can maintain their own sets of dependencies, without
risk of conflict.
Python 3.3+
Python 3.3+ already includes a standard venv module, which you can usually call as pyvenv. In
environments where the pyvenv command is not available, you can access the same functionality
by directly invoking the module as python3 -m venv.
$ pyvenv <env-folder>
# Or, if pyvenv is not available
$ python3 -m venv <env-folder>
Python 2
If using Python 2, you can first install it as a separate module from pip:
And then create the environment using the virtualenv command instead:
$ virtualenv <env-folder>
https://riptutorial.com/ 7
Activate (any version)
The virtual environment is now set up. In order to use it, it must be activated in the terminal you
want to use it.
Linux like:
$ source <env-folder>/bin/activate
Windows like:
<env-folder>\Scripts\activate.bat
This changes your prompt to indicate the virtual environment is active. (<env-folder>) $
From now on, everything installed using pip will be installed to your virtual env folder, not system-
wide.
(<env-folder>) $ deactivate
# Create a virtualenv
mkvirtualenv my_virtualenv
# Activate a virtualenv
workon my_virtualenv
https://riptutorial.com/ 8
# Create a vritualenv for active python verion
pyenv virtualenv venv34
When using virtualenvs, it is often useful to set your PYTHONPATH and DJANGO_SETTINGS_MODULE in the
postactivate script.
#!/bin/sh
# This hook is sourced after this virtualenv is activated
Create a new file called <env-folder>/.project. The contents of the file should ONLY be the path of
the project directory.
/path/to/project/directory
Now, initiate your virtual environment (either using source <env-folder>/bin/activate or workon
my_virtualenv) and your terminal will change directories to /path/to/project/directory.
This example shows you a minimal way to create a Hello World page in Django. This will help you
realize that the django-admin startproject example command basically creates a bunch of folders
and files and that you don't necessarily need that structure to run your project.
import sys
https://riptutorial.com/ 9
settings.configure(
DEBUG=True,
SECRET_KEY='thisisthesecretkey',
ROOT_URLCONF=__name__,
MIDDLEWARE_CLASSES=(
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
),
)
def index(request):
return HttpResponse('Hello, World!')
urlpatterns = [
url(r'^$', index),
]
if __name__ == "__main__":
from django.core.management import execute_from_command_line
execute_from_command_line(sys.argv)
3. Go to the terminal and run the file with this command python file.py runserver.
The default Django project template is fine but once you get to deploy your code and for example
devops put their hands on the project things get messy. What you can do is separate your source
code from the rest that is required to be in your repository.
Project Structure
PROJECT_ROOT
├── devel.dockerfile
├── docker-compose.yml
├── nginx
│ └── project_name.conf
├── README.md
├── setup.py
└── src
├── manage.py
└── project_name
├── __init__.py
https://riptutorial.com/ 10
└── service
├── __init__.py
├── settings
│ ├── common.py
│ ├── development.py
│ ├── __init__.py
│ └── staging.py
├── urls.py
└── wsgi.py
I like to keep the service directory named service for every project thanks to that I can use the
same Dockerfile across all my projects. The split of requirements and settings are already well
documented here:
Using multiple requirements files
Using multiple settings
Dockerfile
With the assumption that only developers make use of Docker (not every dev ops trust it these
days). This could be a dev environment devel.dockerfile:
FROM python:2.7
ENV PYTHONUNBUFFERED 1
WORKDIR /run/service/src
ENTRYPOINT ["python", "manage.py"]
CMD ["runserver", "0.0.0.0:8000"]
Adding only requirements will leverage Docker cache while building - you only need to rebuild on
requirements change.
Compose
Docker compose comes in handy - especially when you have multiple services to run locally.
docker-compose.yml:
version: '2'
services:
web:
build:
context: .
dockerfile: devel.dockerfile
volumes:
- "./src/{{ project_name }}:/run/service/src/{{ project_name }}"
https://riptutorial.com/ 11
- "./media:/run/service/media"
ports:
- "8000:8000"
depends_on:
- db
db:
image: mysql:5.6
environment:
- MYSQL_ROOT_PASSWORD=root
- MYSQL_DATABASE={{ project_name }}
nginx:
image: nginx
ports:
- "80:80"
volumes:
- "./nginx:/etc/nginx/conf.d"
- "./media:/var/media"
depends_on:
- web
Nginx
Your development environment should be as close to the prod environment as possible so I like
using Nginx from the start. Here is an example nginx configuration file:
server {
listen 80;
client_max_body_size 4G;
keepalive_timeout 5;
location /media/ {
autoindex on;
alias /var/media/;
}
location / {
proxy_pass_header Server;
proxy_set_header Host $http_host;
proxy_redirect off;
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header X-Scheme $scheme;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_set_header X-Forwarded-Ssl on;
proxy_connect_timeout 600;
proxy_read_timeout 600;
proxy_pass http://web:8000/;
}
}
Usage
$ cd PROJECT_ROOT
$ docker-compose build web # build the image - first-time and after requirements change
$ docker-compose up # to run the project
https://riptutorial.com/ 12
$ docker-compose run --rm --service-ports --no-deps # to run the project - and be able to use
PDB
$ docker-compose run --rm --no-deps <management_command> # to use other than runserver
commands, like makemigrations
$ docker exec -ti web bash # For accessing django container shell, using it you will be
inside /run/service directory, where you can run ./manage shell, or other stuff
$ docker-compose start # Starting docker containers
$ docker-compose stop # Stopping docker containers
https://riptutorial.com/ 13
Chapter 2: Administration
Examples
Change list
Let's say you have a simple myblog app with the following model:
class Article(models.Model):
title = models.CharField(max_length=70)
slug = models.SlugField(max_length=70, unique=True)
author = models.ForeignKey(settings.AUTH_USER_MODEL, models.PROTECT)
date_published = models.DateTimeField(default=timezone.now)
is_draft = models.BooleanField(default=True)
content = models.TextField()
Django Admin's "change list" is the page that lists all objects of a given model.
@admin.register(Article)
class ArticleAdmin(admin.ModelAdmin):
pass
By default, it will use the __str__() method (or __unicode__() if you on python2) of your model to
display the object "name". This means that if you didn't override it, you will see a list of articles, all
named "Article object". To change this behavior, you can set the __str__() method:
class Article(models.Model):
def __str__(self):
return self.title
Now, all your articles should have a different name, and more explicit than "Article object".
However you may want to display other data in this list. For this, use list_display:
@admin.register(Article)
class ArticleAdmin(admin.ModelAdmin):
list_display = ['__str__', 'author', 'date_published', 'is_draft']
list_display is not limited to the model fields and properties. it can also be a method of your
ModelAdmin:
https://riptutorial.com/ 14
@admin.register(Article)
class ArticleAdmin(admin.ModelAdmin):
list_display = ['title', 'author_link', 'date_published', 'is_draft']
class Customer(models.Model):
first_name = models.CharField(max_length=255)
last_name = models.CharField(max_length=255)
is_premium = models.BooleanField(default=False)
You register it in the Django admin and add search field by first_name and last_name:
@admin.register(Customer)
class CustomerAdmin(admin.ModelAdmin):
list_display = ['first_name', 'last_name', 'is_premium']
search_fields = ['first_name', 'last_name']
After you do this, the search fields appear in the admin list page with the default placeholder: "
keyword". But what if you want to change that placeholder to "Search by name"?
You can do this by passing custom Javascript file into admin Media:
@admin.register(Customer)
class CustomerAdmin(admin.ModelAdmin):
list_display = ['first_name', 'last_name', 'is_premium']
search_fields = ['first_name', 'last_name']
class Media:
#this path may be any you want,
#just put it in your static folder
js = ('js/admin/placeholder.js', )
You can use browser debug toolbar to find what id or class Django set to this searchbar and then
write your js code:
$(function () {
$('#searchbar').attr('placeholder', 'Search by name')
https://riptutorial.com/ 15
})
Also Media class allows you to add css files with dictionary object:
class Media:
css = {
'all': ('css/admin/styles.css',)
}
For example we need to display each element of first_name column in specific color.
By default Django create table column for every item in list_display, all <td> tags will have css
class like field-'list_display_name', in our case it will field_first_name
.field_first_name {
background-color: #e6f2ff;
}
If you want to customize other behavior by adding JS or some css styles, you can always check
id`s and classes of elements in the browser debug tool.
By default, Django renders ForeignKey fields as a <select> input. This can cause pages to be load
really slowly if you have thousands or tens of thousand entries in the referenced table. And even
if you have only hundreds of entries, it is quite uncomfortable to look for a particular entry among
all.
A very handy external module for this is django-autocomplete-light (DAL). This enables to use
autocomplete fields instead of <select> fields.
https://riptutorial.com/ 16
views.py
class CityAutocomp(autocomplete.Select2QuerySetView):
def get_queryset(self):
qs = City.objects.all()
if self.q:
qs = qs.filter(name__istartswith=self.q)
return qs
urls.py
urlpatterns = [
url(r'^city-autocomp/$', CityAutocomp.as_view(), name='city-autocomp'),
]
forms.py
class PlaceForm(forms.ModelForm):
city = forms.ModelChoiceField(
queryset=City.objects.all(),
widget=autocomplete.ModelSelect2(url='city-autocomp')
)
class Meta:
model = Place
https://riptutorial.com/ 17
fields = ['__all__']
admin.py
@admin.register(Place)
class PlaceAdmin(admin.ModelAdmin):
form = PlaceForm
https://riptutorial.com/ 18
Chapter 3: ArrayField - a PostgreSQL-specific
field
Syntax
• from django.contrib.postgres.fields import ArrayField
• class ArrayField(base_field, size=None, **options)
• FooModel.objects.filter(array_field_name__contains=[objects, to, check])
• FooModel.objects.filter(array_field_name__contained_by=[objects, to, check])
Remarks
Note that although the size parameter is passed to PostgreSQL, PostgreSQL will not enforce it.
When using ArrayFields one should keep in mind this word of warning from the Postgresql arrays
documentation.
Tip: Arrays are not sets; searching for specific array elements can be a sign of
database misdesign. Consider using a separate table with a row for each item that
would be an array element. This will be easier to search, and is likely to scale better for
a large number of elements.
Examples
A basic ArrayField
To create a PostgreSQL ArrayField, we should give ArrayField the type of data we want it to store
as a field as its first argument. Since we'll be storing book ratings, we will use FloatField.
class Book(models.Model):
ratings = ArrayField(FloatField())
class IceCream(models.Model):
scoops = ArrayField(IntegerField() # we'll use numbers to ID the scoops
, size=6) # our parlor only lets you have 6 scoops
When you use the size parameter, it's passed through to postgresql, which accepts it and then
https://riptutorial.com/ 19
ignores it! Thus it's quite possible to add 7 integers to the scoops field above using the postgresql
console.
This query returns all cones with a chocolate scoop and a vanilla scoop.
Don't forget to import the IceCream model from your models.py file.
Also bear in mind that django will not create an index for ArrayFields. If you are going to search
them, you are going to need an index and it will need to be manually created with a call to
RunSQL in your migrations file.
Nesting ArrayFields
class SudokuBoard(models.Model):
numbers = ArrayField(
ArrayField(
models.IntegerField(),
size=9,
),
size=9,
)
Querying for all models who contain any item in a list with contained_by
This query returns all cones with either a mint scoop or a vanilla scoop.
https://riptutorial.com/ 20
Chapter 4: Async Tasks (Celery)
Remarks
Celery is a task queue which can run background or scheduled jobs and integrates with Django
pretty well. Celery requires something known as message broker to pass messages from
invocation to the workers. This message broker can be redis, rabbitmq or even Django ORM/db
although that is not a recommended approach.
Before you get started with the example, You will have to configure celery. To configure celery,
create a celery_config.py file in the main app, parallel to the settings.py file.
# broker url
BROKER_URL = 'redis://localhost:6379/0'
app = Celery('config')
app.config_from_object('django.conf:settings')
# if you do not need to keep track of results, this can be turned off
app.conf.update(
CELERY_RESULT_BACKEND=BROKER_URL,
)
# This line will tell Celery to autodiscover all your tasks.py that are in your app folders
app.autodiscover_tasks(lambda: settings.INSTALLED_APPS)
And in the main app's __init__.py file import the celery app. like this
To run celery worker, use this command at the level where manage.py is.
Examples
Simple example to add 2 numbers
https://riptutorial.com/ 21
To get started:
@task
def add_number(x, y):
return x + y
add_number.delay(5, 10), where 5 and 10 are the arguments for the function add_number
To check if the async function has finished the operation, you can use the .ready() function on the
async object returned by the delay method.
To fetch the result of the computation, you can use the .result attribute on the async object.
Example
https://riptutorial.com/ 22
Chapter 5: Authentication Backends
Examples
Email Authentication Backend
Django's default authentication works on username and password fields. Email authentication
backend will authenticate users based on email and password.
class EmailBackend(object):
"""
Custom Email Backend to perform authentication via email
"""
def authenticate(self, username=None, password=None):
user_model = get_user_model()
try:
user = user_model.objects.get(email=username)
if user.check_password(password): # check valid password
return user # return user to be authenticated
except user_model.DoesNotExist: # no matching user exists
return None
# settings.py
AUTHENTICATION_BACKENDS = (
'my_app.backends.EmailBackend',
...
)
https://riptutorial.com/ 23
Chapter 6: Class based views
Remarks
When using CBV we often need to know exactly what methods we can overwrite for each generic
class. This page of the django documentation lists all the generic classes with all of their methods
flattened and the class attributes we can use.
In addition, Classy Class Based View website provides the same information with a nice
interactive interface.
Examples
Class Based Views
Class based views let you focus on what make your views special.
A static about page might have nothing special, except the template used. Use a TemplateView!
All you have to do is set a template name. Job done. Next.
views.py
from django.views.generic import TemplateView
class AboutView(TemplateView):
template_name = "about.html"
urls.py
from django.conf.urls import url
from . import views
urlpatterns = [
url('^about/', views.AboutView.as_view(), name='about'),
]
Notice how we don't use directly AboutView in the url. That's because a callable is expected and
that's exactly what as_view() return.
Context data
Sometimes, your template need a bit more of information. For example, we would like to have the
user in the header of the page, with a link to their profile next to the logout link. In these cases, use
https://riptutorial.com/ 24
the get_context_data method.
views.py
class BookView(DetailView):
template_name = "book.html"
You need to call get_context_data method on the super class and it will return the default context
instance. Any item that you add to this dictionary will be available to the template.
book.html
<h3>Active publishers</h3>
<ul>
{% for publisher in publishers %}
<li>{{ publisher.name }}</li>
{% endfor %}
</ul>
Template views are fine for static page and you could use them for everything with
get_context_data but it would be barely better than using function as views.
app/models.py
from django.db import models
class Pokemon(models.Model):
name = models.CharField(max_length=24)
species = models.CharField(max_length=48)
slug = models.CharField(max_length=48)
app/views.py
from django.views.generic import ListView, DetailView
https://riptutorial.com/ 25
from .models import Pokemon
class PokedexView(ListView):
""" Provide a list of Pokemon objects """
model = Pokemon
paginate_by = 25
class PokemonView(DetailView):
model = Pokemon
That's all you need to generate a view listing all your objects of a models and views of singular
item. The list is even paginated. You can provide template_name if you want something specific. By
default, it's generated from the model name.
app/templates/app/pokemon_list.html
<!DOCTYPE html>
<title>Pokedex</title>
<ul>{% for pokemon in pokemon_list %}
<li><a href="{% url "app:pokemon" pokemon.pk %}">{{ pokemon.name }}</a>
– {{ pokemon.species }}
</ul>
The context is populated with the list of object under two name, object_list and a second one
build from the model name, here pokemon_list. If you have paginated the list, you have to take care
of next and previous link too. The Paginator object can help with that, it's available in the context
data too.
app/templates/app/pokemon_detail.html
<!DOCTYPE html>
<title>Pokemon {{ pokemon.name }}</title>
<h1>{{ pokemon.name }}</h1>
<h2>{{ pokemon.species }} </h2>
As before, the context is populated with your model object under the name object and pokemon, the
second one being derived from the model name.
app/urls.py
from django.conf.urls import url
from . import views
app_name = 'app'
urlpatterns = [
url(r'^pokemon/$', views.PokedexView.as_view(), name='pokedex'),
url(r'^pokemon/(?P<pk>\d+)/$', views.PokemonView.as_view(), name='pokemon'),
https://riptutorial.com/ 26
]
In this snippet, the url for the detail view is built using the primary key. It's also possible to use a
slug as argument. This gives a nicer looking url that's easier to remember. However it requires the
presence of a field named slug in your model.
If a field called slug is not present, you can use the slug_field setting in DetailView to point to a
different field.
For pagination, use a page get parameters or put a page directly in the url.
Writing a view to create object can be quite boring. You have to display a form, you have to
validate it, you have to save the item or return the form with an error. Unless you use one of the
generic editing views.
app/views.py
from django.core.urlresolvers import reverse_lazy
from django.views.generic.edit import CreateView, UpdateView, DeleteView
from .models import Pokemon
class PokemonCreate(CreateView):
model = Pokemon
fields = ['name', 'species']
class PokemonUpdate(UpdateView):
model = Pokemon
fields = ['name', 'species']
class PokemonDelete(DeleteView):
model = Pokemon
success_url = reverse_lazy('pokedex')
CreateView and UpdateView have two required attribute, model and fields. By default, both use a
template name based on the model name suffixed by '_form'. You can change only the suffix with
the attribute template_name_suffix. The DeleteView show a confirmation message before deleting
the object.
Both UpdateView and DeleteView need to fetch on object. They use the same method as DetailView,
extracting variable from the url and matching the object fields.
https://riptutorial.com/ 27
app/templates/app/pokemon_form.html
(extract)
<form action="" method="post">
{% csrf_token %}
{{ form.as_p }}
<input type="submit" value="Save" />
</form>
form contains the form with all needed fields. Here, it will be displayed with a paragraph for each
field because of as_p.
app/templates/app/pokemon_confirm_delete.html
(extract)
<form action="" method="post">
{% csrf_token %}
<p>Are you sure you want to delete "{{ object }}"?</p>
<input type="submit" value="Confirm" />
</form>
The csrf_token tag is required because of django protection against request forgery. The attribute
action is left empty as the url displaying the form is the same as the one handling the
deletion/save.
Two issues remain with the model, if using the same as with the list and detail exemple. First,
create and update will complain about a missing redirection url. That can be solved by adding a
get_absolute_url to the pokemon model. Second issue is the deletion confirmation not displaying
meaningful information. To solve this, the easiest solution is to add a string representation.
app/models.py
from django.db import models
from django.urls import reverse
from django.utils.encoding import python_2_unicode_compatible
@python_2_unicode_compatible
class Pokemon(models.Model):
name = models.CharField(max_length=24)
species = models.CharField(max_length=48)
def get_absolute_url(self):
return reverse('app:pokemon', kwargs={'pk':self.pk})
def __str__(self):
https://riptutorial.com/ 28
return self.name
The class decorator will make sure everything work smoothly under python 2.
Minimal example
views.py:
class MyView(View):
def get(self, request):
# <view logic>
return HttpResponse('result')
urls.py:
urlpatterns = [
url(r'^about/$', MyView.as_view()),
]
With the Class Based generic Views, it is very simple and easy to create the CRUD views from our
models. Often, the built in Django admin is not enough or not preferred and we need to roll our
own CRUD views. The CBVs can be very handy in such cases.
The CreateView class needs 3 things - a model, the fields to use and success url.
Example:
class CampaignCreateView(CreateView):
model = Campaign
fields = ('title', 'description')
success_url = "/campaigns/list"
Once the creation success, the user is redirected to success_url. We can also define a method
get_success_url instead and use reverse or reverse_lazy to get the success url.
Now, we need to create a template for this view. The template should be named in the format <app
name>/<model name>_form.html. The model name must be in lower caps. For example, if my app
https://riptutorial.com/ 29
name is dashboard, then for the above create view, I need to create a template named
dashboard/campaign_form.html.
In the template, a form variable would contain the form. Here's a sample code for the template:
If we visit the URL, we should see a form with the fields we chose. When we submit, it will try to
create a new instance of the model with the data and save it. On success, the user will be
redirected to the success url. On errors, the form will be displayed again with the error messages.
class AddCommentView(TemplateView):
post_form_class = AddPostForm
comment_form_class = AddCommentForm
template_name = 'blog/post.html'
context = self.get_context_data(post_form=post_form,
comment_form=comment_form)
if post_form.is_valid():
self.form_save(post_form)
if comment_form.is_valid():
self.form_save(comment_form)
return self.render_to_response(context)
https://riptutorial.com/ 30
def get(self, request, *args, **kwargs):
return self.post(request, *args, **kwargs)
https://riptutorial.com/ 31
Chapter 7: Context Processors
Remarks
Use context processors to add variables that are accessible anywhere in your templates.
Specify a function, or functions that return dicts of the variables you want, then add those
functions to TEMPLATE_CONTEXT_PROCESSORS.
Examples
Use a context processor to access settings.DEBUG in templates
in myapp/context_processors.py:
def debug(request):
return {'DEBUG': settings.DEBUG}
in settings.py:
TEMPLATES = [
{
...
'OPTIONS': {
'context_processors': [
...
'myapp.context_processors.debug',
],
},
},
]
TEMPLATE_CONTEXT_PROCESSORS = (
...
'myapp.context_processors.debug',
)
Using a context processor to access your most recent blog entries in all
templates
https://riptutorial.com/ 32
Assuming you have a model called Post defined in your models.py file that contains blog posts, and
has a date_published field.
Create (or add to) a file in your app directory called context_processors.py:
def recent_blog_posts(request):
return {'recent_posts':Post.objects.order_by('-date_published')[0:3],} # Can change
numbers for more/fewer posts
Make sure that you add your new context processor to your settings.py file in the TEMPLATES
variable:
TEMPLATES = [
{
...
'OPTIONS': {
'context_processors': [
...
'myapp.context_processors.recent_blog_posts',
],
},
},
]
(In Django versions before 1.9, this was set directly in settings.py using a
TEMPLATE_CONTEXT_PROCESSORS variable.)
No need to pass recent blog entries through individual views anymore! Just use recent_blog_posts
in any template.
E.g., in home.html you could create a sidebar with links to recent posts:
<div class="blog_post_sidebar">
{% for post in recent_blog_posts %}
<div class="post">
<a href="{{post.get_absolute_url}}">{{post.title}}</a>
</div>
{% endfor %}
</div>
https://riptutorial.com/ 33
<div class="content">
{% for post in recent_blog_posts %}
<div class="post_detail">
<h2>{{post.title}}</h2>
<p>Published on {{post.date_published}}</p>
<p class="author">Written by: {{post.author}}</p>
<p><a href="{{post.get_absolute_url}}">Permalink</a></p>
<p class="post_body">{{post.body}}</p>
</div>
{% endfor %}
</div>
Context processor to determine the template based on group membership(or any query/logic).
This allows our public/regular users to get one template and our special group to get a different
one.
myapp/context_processors.py
def template_selection(request):
site_template = 'template_public.html'
if request.user.is_authenticated():
if request.user.groups.filter(name="some_group_name").exists():
site_template = 'template_new.html'
return {
'site_template': site_template,
}
{% extends site_template %}
https://riptutorial.com/ 34
Chapter 8: Continuous Integration With
Jenkins
Examples
Jenkins 2.0+ Pipeline Script
Modern versions of Jenkins (version 2.x) come with a "Build Pipeline Plugin" that can be used to
orchestrate complex CI tasks without creating a multitude of interconnected jobs, and allow you to
easily version-control your build / test configuration.
You may install this manually in a "Pipeline" type job, or, if your project is hosted on Github, you
may use the "GitHub Organization Folder Plugin" to automatically set up jobs for you.
Here's a simple configuration for Django sites that require only the site's specified python modules
to be installed.
#!/usr/bin/groovy
node {
// If you are having issues with your project not getting updated,
// try uncommenting the following lines.
//stage 'Checkout'
//checkout scm
//sh 'git submodule update --init --recursive'
stage 'Test'
// Invoke Django's tests
sh 'source env/bin/activate && python ./manage.py runtests'
}
Here is an example of a pipeline script that builds a Docker container, then runs the tests inside of
it. The entrypoint is assumed to be either manage.py or invoke/fabric with a runtests command
available.
#!/usr/bin/groovy
node {
stage 'Checkout'
checkout scm
sh 'git submodule update --init --recursive'
imageName = 'mycontainer:build'
https://riptutorial.com/ 35
remotes = [
'dockerhub-account',
]
stage 'Build'
def djangoImage = docker.build imageName
stage 'Push'
for (int i = 0; i < remotes.size(); i++) {
sh "docker tag ${imageName} ${remotes[i]}/${imageName}"
sh "docker push ${remotes[i]}/${imageName}"
}
}
https://riptutorial.com/ 36
Chapter 9: CRUD in Django
Examples
**Simplest CRUD example**
If you find these steps unfamiliar, consider starting here instead. Note these steps come from
Stack Overflow Documentation.
INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'myapp',
]
Create a file called urls.py within the myapp directory and updated it with the following view.
urlpatterns = [
url(r'^$', views.index, name='index'),
]
urlpatterns = [
url(r'^$', views.index, name='index'),
url(r'^myapp/', include('myapp.urls')),
url(r'^admin/', admin.site.urls),
]
Create a folder named templates within the myapp directory. Then create a file named index.html
inside of the templates directory. Fill it with the following content.
https://riptutorial.com/ 37
<!DOCTYPE html>
<html>
<head>
<title>myapp</title>
</head>
<body>
<h2>Simplest Crud Example</h2>
<p>This shows a list of names and lets you Create, Update and Delete them.</p>
<h3>Add a Name</h3>
<button>Create</button>
</body>
</html>
We also need a view to show index.html which we can create by editing the views.py file like so:
You now have the base that you're going to work off of. The next step is create a Model. This is
the simplest example possible so in your models.py folder add the following code.
This creates a model of a Name object which we'll add to the database with the following
commands from the command line.
You should see some operations performed by Django. These setup up the tables and create a
superuser that can access the admin database from a Django powered admin view. Speaking of
which, lets register our new model with the admin view. Go to admin.py and add the following
code.
admin.site.register(Name)
Back at the command line you can now spin up the server with the python manage.py runserver
https://riptutorial.com/ 38
command. You should be able to visit http://localhost:8000/ and see your app. Please then
navigate to http://localhost:8000/admin so that you can add a name to your project. Log in and add
a Name under the MYAPP table, we kept it simple for the example so ensure it's less than 100
characters.
In order to access the name you need to display it somewhere. Edit the index function within
views.py to get all of the Name objects out of the database.
<!DOCTYPE html>
<html>
<head>
<title>myapp</title>
</head>
<body>
<h2>Simplest Crud Example</h2>
<p>This shows a list of names and lets you Create, Update and Delete them.</p>
{% if names_from_context %}
<ul>
{% for name in names_from_context %}
<li>{{ name.name_value }} <button>Delete</button>
<button>Update</button></li>
{% endfor %}
</ul>
{% else %}
<h3>Please go to the admin and add a Name under 'MYAPP'</h3>
{% endif %}
<h3>Add a Name</h3>
<button>Create</button>
</body>
</html>
That demonstrates the Read in CRUD. Within the myapp directory create a forms.py file. Add the
following code:
class NameForm(forms.ModelForm):
name_value = forms.CharField(max_length=100, help_text = "Enter a name")
class Meta:
model = Name
fields = ('name_value',)
https://riptutorial.com/ 39
Update the index.html in the following manner:
<!DOCTYPE html>
<html>
<head>
<title>myapp</title>
</head>
<body>
<h2>Simplest Crud Example</h2>
<p>This shows a list of names and lets you Create, Update and Delete them.</p>
{% if names_from_context %}
<ul>
{% for name in names_from_context %}
<li>{{ name.name_value }} <button>Delete</button>
<button>Update</button></li>
{% endfor %}
</ul>
{% else %}
<h3>Please go to the admin and add a Name under 'MYAPP'</h3>
{% endif %}
<h3>Add a Name</h3>
<form id="name_form" method="post" action="/">
{% csrf_token %}
{% for field in form.visible_fields %}
{{ field.errors }}
{{ field.help_text }}
{{ field }}
{% endfor %}
<input type="submit" name="submit" value="Create">
</form>
</body>
</html>
form = NameForm()
if request.method == 'POST':
form = NameForm(request.POST)
if form.is_valid():
form.save(commit=True)
return render(request, 'index.html', context_dict)
else:
print(form.errors)
Restart your server and you should now have a working version of the app with the C in create
https://riptutorial.com/ 40
completed.
https://riptutorial.com/ 41
Chapter 10: Custom Managers and Querysets
Examples
Defining a basic manager using Querysets and `as_manager` method
Django manger is an interface through which the django model queries the database. The objects
field used in most django queries is actually the default manager created for us by django (this is
only created if we don't define custom managers).
To avoid writing common queries all over our codebase and instead referring them using an easier
to remember abstraction. Example: Decide for yourself which version is more readable :
Another benefit is that if tomorrow we decide all psychologists are also dermatologists, we can
easily modify the query in our Manager and be done with it.
Below is an example of creating a custom Manager defined by creating a QuerySet and using the
as_manager method.
class ProfileQuerySet(QuerySet):
def doctors(self):
return self.filter(user_type="Doctor", user__is_active=True)
def users(self):
return self.filter(user_type="Customer", user__is_active=True)
ProfileManager = ProfileQuerySet.as_manager
class Profile(models.Model):
...
manager = ProfileManager()
NOTE : Once we've defined a manager on our model, objects won't be defined for the model
anymore.
https://riptutorial.com/ 42
select_related for all queries
class Book(models.Model):
name= models.CharField(max_length=50)
author = models.ForeignKey(Author)
class Author(models.Model):
name = models.CharField(max_length=50)
In view
books = Book.objects.select_related('author').all()
Custom Manager
class BookManager(models.Manager):
def get_queryset(self):
qs = super().get_queryset()
return qs.select_related('author')
class Book(models.Model):
...
objects = BookManager()
books = Book.objects.all()
Very often it happens to deal with models which have something like a published field. Such kind of
fields are almost always used when retrieving objects, so that you will find yourself to write
something like:
https://riptutorial.com/ 43
my_news = News.objects.filter(published=True)
too many times. You can use custom managers to deal with these situations, so that you can then
write something like:
my_news = News.objects.published()
Create a file managers.py in your app directory, and define a new models.Manager class:
class NewsManager(models.Manager):
use this class by redefining the objects property in the model class:
class News(models.Model):
""" News model
"""
insertion_date = models.DateTimeField('insertion date', auto_now_add=True)
title = models.CharField('title', max_length=255)
# some other fields here
published = models.BooleanField('published')
Now you can get your published news simply this way:
my_news = News.objects.published()
my_news = News.objects.published(title__icontains='meow')
https://riptutorial.com/ 44
Chapter 11: Database Routers
Examples
Adding a Database Routing file
DATABASES = {
'default': {
'NAME': 'app_data',
'ENGINE': 'django.db.backends.postgresql',
'USER': 'django_db_user',
'PASSWORD': os.environ['LOCAL_DB_PASSWORD']
},
'users': {
'NAME': 'remote_data',
'ENGINE': 'django.db.backends.mysql',
'HOST': 'remote.host.db',
'USER': 'remote_user',
'PASSWORD': os.environ['REMOTE_DB_PASSWORD']
}
}
Use a dbrouters.py file to specify which models should operate on which databases for each class
of database operation, e.g. for remote data stored in remote_data, you might want the following:
class DbRouter(object):
"""
A router to control all database operations on models in the
auth application.
"""
def db_for_read(self, model, **hints):
"""
Attempts to read remote models go to remote database.
"""
if model._meta.app_label == 'remote':
return 'remote_data'
return 'app_data'
https://riptutorial.com/ 45
return None
DATABASE_ROUTERS = ['path.to.DbRouter', ]
The normal obj.save() method will use the default database, or if a database router is used, it will
use the database as specified in db_for_write. You can override it by using:
obj.save(using='other_db')
obj.delete(using='other_db')
MyModel.objects.using('other_db').all()
https://riptutorial.com/ 46
Chapter 12: Database Setup
Examples
MySQL / MariaDB
As well as one of the Python MySQL drivers (mysqlclient beeing the recommended choice for
Django):
The database encoding can not be set by Django, but needs to be configured on the
database level. Look for default-character-set in my.cnf (or
/etc/mysql/mariadb.conf/*.cnf ) and set the encoding:
[mysql]
#default-character-set = latin1 #default on some systems.
#default-character-set = utf8mb4 #default on some systems.
default-character-set = utf8
...
[mysqld]
#character-set-server = utf8mb4
#collation-server = utf8mb4_general_ci
character-set-server = utf8
collation-server = utf8_general_ci
#myapp/settings/settings.py
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.mysql',
'NAME': 'DB_NAME',
'USER': 'DB_USER',
'PASSWORD': 'DB_PASSWORD',
'HOST': 'localhost', # Or an IP Address that your database is hosted on
'PORT': '3306',
#optional:
'OPTIONS': {
https://riptutorial.com/ 47
'charset' : 'utf8',
'use_unicode' : True,
'init_command': 'SET '
'storage_engine=INNODB,'
'character_set_connection=utf8,'
'collation_connection=utf8_bin'
#'sql_mode=STRICT_TRANS_TABLES,' # see note below
#'SESSION TRANSACTION ISOLATION LEVEL READ COMMITTED',
},
'TEST_CHARSET': 'utf8',
'TEST_COLLATION': 'utf8_general_ci',
}
}
If you are using Oracle's MySQL connector your ENGINE line should look like this:
'ENGINE': 'mysql.connector.django',
When you create a database, make sure that to specify the encoding and collation:
From MySQL 5.7 onwards and on fresh installs of MySQL 5.6, the default value of the
sql_mode option contains STRICT_TRANS_TABLES. That option escalates warnings
into errors when data is truncated upon insertion. Django highly recommends activating
a strict mode for MySQL to prevent data loss (either STRICT_TRANS_TABLES or
STRICT_ALL_TABLES). To enable add to /etc/my.cnf sql-mode = STRICT_TRANS_TABLES
PostgreSQL
#myapp/settings/settings.py
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.postgresql',
'NAME': 'myprojectDB',
'USER': 'myprojectuser',
'PASSWORD': 'password',
'HOST': '127.0.0.1',
'PORT': '5432',
}
}
https://riptutorial.com/ 48
When using Postresql you'll have access to some extra features:
Modelfields:
sqlite
sqlite is the default for Django. It should not be used in production since it is usually slow.
#myapp/settings/settings.py
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': 'db/development.sqlite3',
'USER': '',
'PASSWORD': '',
'HOST': '',
'PORT': '',
},
}
Fixtures
Fixtures are initial data for the database. The most straightforward way when you have some
existing data already is to use the command dumpdata
This will create a json file which can be imported again by using
When using the loadddata without specifying a file, Django will look for a fixtures folder in your app
or the list of directories provided in the FIXTURE_DIRS in settings, and use its content instead.
/myapp
/fixtures
myfixtures.json
morefixtures.xml
https://riptutorial.com/ 49
Fixtures JSON example:
[
{
"model": "myapp.person",
"pk": 1,
"fields": {
"first_name": "John",
"last_name": "Lennon"
}
},
{
"model": "myapp.person",
"pk": 2,
"fields": {
"first_name": "Paul",
"last_name": "McCartney"
}
}
]
- model: myapp.person
pk: 1
fields:
first_name: John
last_name: Lennon
- model: myapp.person
pk: 2
fields:
first_name: Paul
last_name: McCartney
Standart
https://riptutorial.com/ 50
DATABASES = {
'default': {
'ENGINE': 'django_cassandra_engine',
'NAME': 'db',
'TEST_NAME': 'test_db',
'HOST': 'db1.example.com,db2.example.com',
'OPTIONS': {
'replication': {
'strategy_class': 'SimpleStrategy',
'replication_factor': 1
}
}
}
}
DATABASES = {
'default': {
'ENGINE': 'django_cassandra_engine',
'NAME': 'db',
'TEST_NAME': 'test_db',
'USER_NAME'='cassandradb',
'PASSWORD'= '123cassandra',
'HOST': 'db1.example.com,db2.example.com',
'OPTIONS': {
'replication': {
'strategy_class': 'SimpleStrategy',
'replication_factor': 1
}
}
}
https://riptutorial.com/ 51
Chapter 13: Database transactions
Examples
Atomic transactions
Problem
By default, Django immediately commits changes to the database. When exceptions occur during
a series of commits, this can leave your database in an unwanted state:
An exception occurs whilst trying to add the trousers product to the clothing category. By this
point, the category itself has already been added, and the shirt product has been added to it.
The incomplete category and containing product would have to be manually removed before fixing
the code and calling the create_category() method once more, as otherwise a duplicate category
would be created.
Solution
The django.db.transaction module allows you to combine multiple database changes into an
atomic transaction:
[a] series of database operations such that either all occur, or nothing occurs.
@transaction.atomic
def create_category(name, products):
category = Category.objects.create(name=name)
product_api.add_products_to_category(category, products)
activate_category(category)
https://riptutorial.com/ 52
Or by using a context manager:
Now, if an exception occurs at any stage within the transaction, no database changes will be
committed.
https://riptutorial.com/ 53
Chapter 14: Debugging
Remarks
Pdb
Pdb can also print out all existing variables in global or local scope, by typing globals() or locals()
in (Pdb) prompt respectively.
Examples
Using Python Debugger (Pdb)
Most basic Django debugging tool is pdb, a part of Python standard library.
def index(request):
foo = 1
bar = 0
bug = foo/bar
It's obvious that Django would throw a ZeroDivisionError when you try to load index page, but if
we'll pretend that the bug is very deep in the code, it could get really nasty.
Setting a breakpoint
# Pdb import
import pdb
def index(request):
foo = 1
https://riptutorial.com/ 54
bar = 0
bug = foo/bar
Now on page load breakpoint will trigger (Pdb) prompt in the shell, which will also hang your
browser in pending state.
It's time to debug that view by interacting with script via shell:
> ../views.py(12)index()
-> bug = foo/bar
# input 'foo/bar' expression to see division results:
(Pdb) foo/bar
*** ZeroDivisionError: division by zero
# input variables names to check their values:
(Pdb) foo
1
(Pdb) bar
0
# 'bar' is a source of the problem, so if we set it's value > 0...
(Pdb) bar = 1
(Pdb) foo/bar
1.0
# exception gone, ask pdb to continue execution by typing 'c':
(Pdb) c
[03/Aug/2016 10:50:45] "GET / HTTP/1.1" 200 111
In the last line we see that our view returned an OK response and executing as it should.
settings.py:
Next, include it to project's installed apps, but be careful - it's always a good practice to use a
different settings.py file for such development-only apps and middlewares as debug toolbar:
https://riptutorial.com/ 55
# If environment is dev...
DEBUG = True
INSTALLED_APPS += [
'debug_toolbar',
]
MIDDLEWARE += ['debug_toolbar.middleware.DebugToolbarMiddleware']
Debug toolbar also relies on static files, so appropriate app should be included as well:
INSTALLED_APPS = [
# ...
'django.contrib.staticfiles',
# ...
]
STATIC_URL = '/static/'
# If environment is dev...
DEBUG = True
INSTALLED_APPS += [
'debug_toolbar',
]
INTERNAL_IPS = ('127.0.0.1', )
urls.py:
In urls.py, as official documentation suggests, the next snippet should enable debug toolbar
routing:
That's it, debug toolbar will appear on you project's pages, providing various useful information
about execution time, SQL, static files, signals, etc.
HTML:
Also, django-debug-toolbar requires a Content-type of text/html, <html> and <body> tags to render
properly.
https://riptutorial.com/ 56
In case if you sure you've configured everything right, but debug toolbar is still not
rendered: use this "nuclear" solution to try to figure it out.
will cause django to raise an AssertionError with the value supplied as an error message when this
line is executed.
If this occurs in a view, or in any code called from a view, and DEBUG=True is set, a full and detailed
stacktrace with a lot of debugging information will be displayed in the browser.
Instead of chasing bugs with a debugger, consider spending more time on making your code
better by:
• Write and run Tests. Python and Django have great builtin testing frameworks - that can be
used to test your code much faster than manually with a debugger.
• Writing proper documentation for your functions, classes and modules. PEP 257 and
Google's Python Style Guide supplies good practices for writing good docstrings.
• Use Logging to produce output from your program - during development and after
deploying.
• Add assertions to your code in important places: Reduce ambiguity, catch problems as they
are created.
https://riptutorial.com/ 57
Chapter 15: Deployment
Examples
Running Django application with Gunicorn
1. Install gunicorn
2. From django project folder (same folder where manage.py resides), run the following
command to run current django project with gunicorn
You can use the --env option to set the path to load the settings
3. Upon successful start of gunicorn, the following lines will appear in console
2. Navigate to the root of the sources of your Django app. You'll need tk
3. Type heroku create [app_name]. If you don't give an app name, Heroku will randomly generate
one for you. Your app URL will be http://[app name].herokuapp.com
4. Make a text file with the name Procfile. Don't put an extension at the end.
If you have a worker process, you can add it too. Add another line in the format:
worker-name: <bash command to start worker>
5. Add a requirements.txt.
• If you are using a virtual environment, execute pip freeze > requirements.txt
• Otherwise, get a virtual environment!. You can also manually list the Python packages you
need, but that won't be covered in this tutorial.
https://riptutorial.com/ 58
6. It's deployment time!
This scales the number of web "dynos" to one. You can learn more about dynos
here.
Tip: heroku open opens the URL to your heroku app in the default browser.
7. Add add-ons. You'll need to configure your Django app to bind with databases provided in
Heroku as "add-ons". This example doesn't cover this, but another example is in the pipeline
on deploying databases in Heroku.
Fabric is a Python (2.5-2.7) library and command-line tool for streamlining the use of SSH for
application deployment or systems administration tasks. It lets you execute arbitrary Python
functions via the command line.
#myproject/fabfile.py
from fabric.api import *
@task
def dev():
# details of development server
env.user = # your ssh user
env.password = #your ssh password
env.hosts = # your ssh hosts (list instance, with comma-separated hosts)
env.key_filename = # pass to ssh key for github in your local keyfile
@task
def release():
# details of release server
env.user = # your ssh user
env.password = #your ssh password
env.hosts = # your ssh hosts (list instance, with comma-separated hosts)
env.key_filename = # pass to ssh key for github in your local keyfile
@task
def run():
with cd('path/to/your_project/'):
with prefix('source ../env/bin/activate'):
# activate venv, suppose it appear in one level higher
# pass commands one by one
https://riptutorial.com/ 59
run('git pull')
run('pip install -r requirements.txt')
run('python manage.py migrate --noinput')
run('python manage.py collectstatic --noinput')
run('touch reload.txt')
Note: you can not configure ssh keys for github and just type login and password manually, while
fabfile runs, the same with keys.
If you plan to host your Django website on Heroku, you can start your project using the Heroku
Django Starter Template :
It has Production-ready configuration for Static Files, Database Settings, Gunicorn, etc and
Enhancements to Django's static file serving functionality via WhiteNoise. This will save your time,
it's All-Ready for hosting on Heroku, Just build your website on the top of this template
git init
git add -A
git commit -m "Initial commit"
heroku create
git push heroku master
That's it!
1. nginx - free, open-source, high-performance HTTP server and reverse proxy, with high
performance;
2. gunicorn - 'Green Unicorn' is a Python WSGI HTTP Server for UNIX (needed to manage
your server);
3. supervisor - a client/server system that allows its users to monitor and control a number of
processes on UNIX-like operating systems. Used when you app or system crashes, restarts
your django / celery / celery cam, etc;
https://riptutorial.com/ 60
In order ot make it simple, let's assume your app is located in this directory: /home/root/app/src/
and we're gonna use root user (but you should create separate user for your app). Also our
virtualenvironment will be located in /home/root/app/env/ path.
NGINX
Let's start with nginx. If nginx is not already on machine, install it with sudo apt-get install nginx.
Later on you have to create a new config file in your nginx directory /etc/nginx/sites-
enabled/yourapp.conf. If there is a file named default.conf - remove it.
Bellow code to a nginx conf file, which will try to run your service with using socket file; Later on
there will be a configuration of gunicorn. Socket file is used here to communicate between nginx
and gunicorn. It can also be done with using ports.
server {
# root folder of your application
root /home/root/app/src/;
listen 80;
# server name, your main domain, all subdomains and specific subdomains
server_name yourdomain.com *.yourdomain.com somesubdomain.yourdomain.com
charset utf-8;
client_max_body_size 100m;
https://riptutorial.com/ 61
GUNICORN
Now our GUNICORN script, which will be responsible for running django application on server.
First thing is to install gunicorn in virtual environment with pip install gunicorn.
#!/bin/bash
ME="root"
DJANGODIR=/home/root/app/src # django app dir
SOCKFILE=/home/root/app/src/gunicorn.sock # your sock file - do not create it manually
USER=root
GROUP=webapps
NUM_WORKERS=3
DJANGO_SETTINGS_MODULE=yourapp.yoursettings
DJANGO_WSGI_MODULE=yourapp.wsgi
echo "Starting $NAME as `whoami`"
source /home/root/app/env/bin/activate
export DJANGO_SETTINGS_MODULE=$DJANGO_SETTINGS_MODULE
export PYTHONPATH=$DJANGODIR:$PYTHONPATH
in order to be able to run gunicorn start script it has to have execution mode enabled so
now you will be able to start your gunicorn server with just using ./gunicorn_start
SUPERVISOR
As said in the beginning, we want our application to be restarted when fails by a supervisor. If
supervisor not yet on server install with sudo apt-get install supervisor.
At first install supervisor. Then create a .conf file in your main directory
/etc/supervisor/conf.d/your_conf_file.conf
https://riptutorial.com/ 62
[program:yourappname]
command = /home/root/app/src/gunicorn_start
user = root
stdout_logfile = /home/root/app/src/logs/gunicorn_supervisor.log
redirect_stderr = true
Quick brief, [program:youappname] is required at the beginning, it will be our identifier. also
stdout_logfile is a file where logs will be stored, both access and errors.
Having that done we have to tell our supervisor that we have just added new configuration file. To
do it, there is different process for different Ubuntu version.
For Ubuntu version 14.04 or lesser than it, simply run those commands:
sudo supervisorctl reread -> rereads all config files inside supervisor catalog this should print out:
yourappname: available
-> updates supervisor to newly added config files; should print out
sudo supervisorctl update
yourappname: added process group
Recommended way of production deployment calls for using Apache/Nginx for serving the static
content. Thus, when DEBUG is false static and media contents fail to load. However, we can load the
static content in deployment without having to setup Apache/Nginx server for our app using:
This is only intended for local deployment(e.g LAN) and should never be used in production and is
only available if the staticfiles app is in your project’s INSTALLED_APPS setting.
https://riptutorial.com/ 63
Chapter 16: Django and Social Networks
Parameters
Setting Does
https://riptutorial.com/ 64
Setting Does
Examples
Easy way: python-social-auth
INSTALL
or download the code from github. Now is a good time to add this to your requirements.txt file.
CONFIGURING settings.py
INSTALLED_APPS = (
...
'social.apps.django_app.default',
...
)
CONFIGURING BACKENDS
AUTHENTICATION_BACKENDS contains the backends that we will use, and we only have to put
what's we need.
AUTHENTICATION_BACKENDS = (
'social.backends.open_id.OpenIdAuth',
'social.backends.google.GoogleOpenId',
'social.backends.google.GoogleOAuth2',
'social.backends.google.GoogleOAuth',
'social.backends.twitter.TwitterOAuth',
'social.backends.yahoo.YahooOpenId',
...
'django.contrib.auth.backends.ModelBackend',
)
Your project settings.py may not yet have an AUTHENTICATION_BACKENDS field. If that is the case add
the field. Be sure not to miss 'django.contrib.auth.backends.ModelBackend', as it handles login by
https://riptutorial.com/ 65
username/password.
If we use for example Facebook and Linkedin Backends we need to add the API keys
SOCIAL_AUTH_FACEBOOK_KEY = 'YOURFACEBOOKKEY'
SOCIAL_AUTH_FACEBOOK_SECRET = 'YOURFACEBOOKSECRET'
and
SOCIAL_AUTH_LINKEDIN_KEY = 'YOURLINKEDINKEY'
SOCIAL_AUTH_LINKEDIN_SECRET = 'YOURLINKEDINSECRET'
Note: You can Obtain the nedded keys in Facebook developers and Linkedin developers and here
you can see the full list and his respective way to especify the API key and the key Secret.
Note on Secret Keys: Secret keys should be kept secret. Here is a Stack Overflow explanation
that is helpful. This tutorial is helpful for learning about enviromental variables.
TEMPLATE_CONTEXT_PROCESSORS = (
...
'social.apps.django_app.context_processors.backends',
'social.apps.django_app.context_processors.login_redirect',
...
)
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [os.path.join(BASE_DIR, "templates")],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
'social.apps.django_app.context_processors.backends',
'social.apps.django_app.context_processors.login_redirect',
],
},
},
]
If you are using a custom User Model and want to asociate with it, just add the following line (still
https://riptutorial.com/ 66
in settings.py)
SOCIAL_AUTH_USER_MODEL = 'somepackage.models.CustomUser'
CONFIGURING urls.py
# if you haven't imported inlcude make sure you do so at the top of your file
from django.conf.urls import url, include
urlpatterns = patterns('',
...
url('', include('social.apps.django_app.urls', namespace='social'))
...
)
./manage.py migrate
if you use another backend just change 'facebook' by the backend name.
Once you have logged users in you'll likely want to create the functionality to log them back out. In
some template, likely near where the log in template was shown, add the following tag:
or
<a href="/logout">Logout</a>
You'll want to edit your urls.py file with code similar to:
def logout(request):
https://riptutorial.com/ 67
auth_logout(request)
return redirect('/')
For all my projects, Django-Allauth remained one that is easy to setup, and comes out of the box
with many features including but not limited to:
If you're interested in getting your hands dirty, Django-Allauth gets out of the way, with additional
configurations to tweak the process and use of your authentication system.
Setup steps:
AUTHENTICATION_BACKENDS = (
# Needed to login by username in Django admin, regardless of `allauth`
'django.contrib.auth.backends.ModelBackend',
INSTALLED_APPS = (
# Up here is all your default installed apps from Django
https://riptutorial.com/ 68
# The following apps are required:
'django.contrib.auth',
'django.contrib.sites',
'allauth',
'allauth.account',
'allauth.socialaccount',
Done with the changes in settings.py file above, move onto the urls.py file. It can be your
yourapp/urls.py or your ProjectName/urls.py. Normally, I prefer the ProjectName/urls.py.
urlpatterns = [
# other urls here
url(r'^accounts/', include('allauth.urls')),
# other urls here
]
Simply adding the include('allauth.urls'), gives you these urls for free:
Finally, do python ./manage.py migrate to commit the migrates of Django-allauth into Database.
As usual, to be able to log into your app using any social network you've added, you'll have to add
the social account details of the network.
Login to the Django Admin (localhost:8000/admin) and under Social Applications in the add your
social account details.
You might need accounts at each auth provider in order to obtain details to fill in at the Social
https://riptutorial.com/ 69
Applications sections.
For detailed configurations of what you can have and tweak, see the Configurations page.
https://riptutorial.com/ 70
Chapter 17: Django from the command line.
Remarks
While Django is primarily for web apps it has a powerful and easy to use ORM that can be used
for command line apps and scripts too. There are two different approaches that can be used. The
first being to create a custom management command and the second to initialize the Django
environment at the start of your script.
Examples
Django from the command line.
Supposing you have setup a django project, and the settings file is in an app named main, this is
how you initialize your code
# Setup environ
sys.path.append(os.getcwd())
os.environ.setdefault("DJANGO_SETTINGS_MODULE", "main.settings")
# Setup django
import django
django.setup()
python main/cli.py
https://riptutorial.com/ 71
Chapter 18: Django Rest Framework
Examples
Simple barebones read-only API
Assuming you have a model that looks like the following, we will get up an running with a simple
barebones read-only API driven by Django REST Framework ("DRF").
models.py
class FeedItem(models.Model):
title = models.CharField(max_length=100, blank=True)
url = models.URLField(blank=True)
style = models.CharField(max_length=100, blank=True)
description = models.TextField(blank=True)
The serializer is the component that will take all of the information from the Django model (in this
case the FeedItem) and turn it into JSON. It is very similar to creating form classes in Django. If you
have any experience in that, this will be very comfortable for you.
serializers.py
class FeedItemSerializer(serializers.ModelSerializer):
class Meta:
model = models.FeedItem
fields = ('title', 'url', 'description', 'style')
views.py
DRF offers many view classes to handle a variety of use cases. In this example, we are only going
to have a read-only API, so, rather than using a more comprehensive viewset, or a bunch of
related generic views, we will use a single subclass of DRF's ListAPIView.
The purpose of this class is to link the data with the serializer, and wrap it all together for a
response object.
class FeedItemList(generics.ListAPIView):
serializer_class = serializers.FeedItemSerializer
queryset = models.FeedItem.objects.all()
urls.py
https://riptutorial.com/ 72
Make sure you point your route to your DRF view.
urlpatterns = [
...
url(r'path/to/api', views.FeedItemList.as_view()),
]
https://riptutorial.com/ 73
Chapter 19: django-filter
Examples
Use django-filter with CBV
is generic system for filtering Django QuerySets based on user selections. The
django-filter
documentation uses it in a function-based view as a product model:
class Product(models.Model):
name = models.CharField(max_length=255)
price = models.DecimalField()
description = models.TextField()
release_date = models.DateField()
manufacturer = models.ForeignKey(Manufacturer)
import django_filters
class ProductFilter(django_filters.FilterSet):
name = django_filters.CharFilter(lookup_expr='iexact')
class Meta:
model = Product
fields = ['price', 'release_date']
To use this in a CBV, override get_queryset() of the ListView, then return the filtered querset:
class ArticleListView(ListView):
model = Product
def get_queryset(self):
qs = self.model.objects.all()
product_filtered_list = ProductFilter(self.request.GET, queryset=qs)
return product_filtered_list.qs
It is possible to access the filtered objects in your views, such as with pagination, in f.qs. This will
paginate the filtered objects list.
https://riptutorial.com/ 74
Chapter 20: Extending or Substituting User
Model
Examples
Custom user model with email as primary login field.
models.py :
class UserManager(BaseUserManager):
def _create_user(self, email,password, is_staff, is_superuser, **extra_fields):
now = timezone.now()
if not email:
raise ValueError('users must have an email address')
email = self.normalize_email(email)
user = self.model(email = email,
is_staff = is_staff,
is_superuser = is_superuser,
last_login = now,
date_joined = now,
**extra_fields)
user.set_password(password)
user.save(using = self._db)
return user
class User(AbstractBaseUser,PermissionsMixin):
"""My own custom user class"""
objects = UserManager()
USERNAME_FIELD = 'email'
REQUIRED_FIELDS = []
https://riptutorial.com/ 75
class Meta:
verbose_name = _('user')
verbose_name_plural = _('users')
def get_full_name(self):
"""Return the email."""
return self.email
def get_short_name(self):
"""Return the email."""
return self.email
forms.py :
class RegistrationForm(UserCreationForm):
email = forms.EmailField(widget=forms.TextInput(
attrs={'class': 'form-control','type':'text','name': 'email'}),
label="Email")
password1 = forms.CharField(widget=forms.PasswordInput(
attrs={'class':'form-control','type':'password', 'name':'password1'}),
label="Password")
password2 = forms.CharField(widget=forms.PasswordInput(
attrs={'class':'form-control','type':'password', 'name': 'password2'}),
label="Password (again)")
def clean(self):
"""
Verifies that the values entered into the password fields match
NOTE : errors here will appear in 'non_field_errors()'
"""
cleaned_data = super(RegistrationForm, self).clean()
if 'password1' in self.cleaned_data and 'password2' in self.cleaned_data:
if self.cleaned_data['password1'] != self.cleaned_data['password2']:
raise forms.ValidationError("Passwords don't match. Please try again!")
return self.cleaned_data
#The save(commit=False) tells Django to save the new record, but dont commit it to the
database yet
https://riptutorial.com/ 76
label='Email')
password = forms.CharField(widget=forms.PasswordInput(
attrs={'class':'form-control','type':'password', 'name':
'password','placeholder':'Password'}),
label='Password')
class Meta:
fields = ['email', 'password']
views.py :
def login(request):
if request.method == 'POST':
form = AuthenticationForm(data = request.POST)
if form.is_valid():
email = request.POST['email']
password = request.POST['password']
user = django_authenticate(email=email, password=password)
if user is not None:
if user.is_active:
django_login(request,user)
return redirect('/dashboard') #user is redirected to dashboard
else:
form = AuthenticationForm()
return render(request,'login.html',{'form':form,})
def register(request):
if request.method == 'POST':
form = RegistrationForm(data = request.POST)
if form.is_valid():
user = form.save()
u = django_authenticate(user.email = user, user.password = password)
django_login(request,u)
return redirect('/dashboard')
else:
form = RegistrationForm()
return render(request,'register.html',{'form':form,})
def logout(request):
django_logout(request)
return redirect('/')
@login_required(login_url ="/")
def dashboard(request):
return render(request, 'dashboard.html',{})
settings.py :
https://riptutorial.com/ 77
AUTH_USER_MODEL = 'myapp.User'
admin.py
class UserAdmin(BaseUserAdmin):
list_display = ('email','is_staff')
list_filter = ('is_staff',)
fieldsets = ((None,
{'fields':('email','password')}), ('Permissions',{'fields':('is_staff',)}),)
add_fieldsets = ((None, {'classes': ('wide',), 'fields': ('email', 'password1',
'password2')}),)
search_fields =('email',)
ordering = ('email',)
filter_horizontal = ()
admin.site.register(User, UserAdmin)
admin.site.unregister(Group)
Use the `email` as username and get rid of the `username` field
If you want to get rid of the username field and use email as unique user identifier, you will have to
create a custom User model extending AbstractBaseUser instead of AbstractUser. Indeed, username
and email are defined in AbstractUser and you can't override them. This means you will also have
to redefine all fields you want that are defined in AbstractUser.
class UserManager(BaseUserManager):
use_in_migrations = True
https://riptutorial.com/ 78
extra_fields.setdefault('is_staff', True)
extra_fields.setdefault('is_superuser', True)
class Meta:
verbose_name = _("user")
verbose_name_plural = _("users")
db_table = 'auth_user'
# `db_table` is only needed if you move from the existing default
# User model to a custom one. This enables to keep the existing data.
USERNAME_FIELD = 'email'
"""Use the email as unique username."""
GENDER_MALE = 'M'
GENDER_FEMALE = 'F'
GENDER_CHOICES = [
(GENDER_MALE, _("Male")),
(GENDER_FEMALE, _("Female")),
]
email = models.EmailField(
verbose_name=_("email address"), unique=True,
error_messages={
'unique': _(
"A user is already registered with this email address"),
},
)
gender = models.CharField(
max_length=1, blank=True, choices=GENDER_CHOICES,
verbose_name=_("gender"),
)
first_name = models.CharField(
max_length=30, verbose_name=_("first name"),
)
last_name = models.CharField(
max_length=30, verbose_name=_("last name"),
)
is_staff = models.BooleanField(
verbose_name=_("staff status"),
default=False,
help_text=_(
"Designates whether the user can log into this admin site."
https://riptutorial.com/ 79
),
)
is_active = models.BooleanField(
verbose_name=_("active"),
default=True,
help_text=_(
"Designates whether this user should be treated as active. "
"Unselect this instead of deleting accounts."
),
)
date_joined = models.DateTimeField(
verbose_name=_("date joined"), default=timezone.now,
)
objects = UserManager()
Create a UserProfile model class with the relationship of OneToOne to the default User model:
class UserProfile(models.Model):
user = models.OneToOneField(User, related_name='user')
photo = FileField(verbose_name=_("Profile Picture"),
upload_to=upload_to("main.UserProfile.photo", "profiles"),
format="Image", max_length=255, null=True, blank=True)
website = models.URLField(default='', blank=True)
bio = models.TextField(default='', blank=True)
phone = models.CharField(max_length=20, blank=True, default='')
city = models.CharField(max_length=100, default='', blank=True)
country = models.CharField(max_length=100, default='', blank=True)
organization = models.CharField(max_length=100, default='', blank=True)
Using Django Signals, create a new UserProfile immediately a User object is created. This function
can be tucked beneath the UserProfile model class in the same file, or place it wherever you like. I
don't care, as along as you reference it properly.
Now for your views.py, you might have something like this:
https://riptutorial.com/ 80
from django.shortcuts import render, HttpResponseRedirect
from django.contrib.auth.decorators import login_required
from django.contrib.auth.models import User
from .models import UserProfile
from .forms import UserForm
from django.forms.models import inlineformset_factory
from django.core.exceptions import PermissionDenied
@login_required() # only logged in users should access this
def edit_user(request, pk):
# querying the User object with pk from url
user = User.objects.get(pk=pk)
if user_form.is_valid():
created_user = user_form.save(commit=False)
formset = ProfileInlineFormset(request.POST, request.FILES,
instance=created_user)
if formset.is_valid():
created_user.save()
formset.save()
return HttpResponseRedirect('/accounts/profile/')
Our Template
{% load material_form %}
<!-- Material form is just a materialize thing for django forms -->
<div class="col s12 m8 offset-m2">
<div class="card">
<div class="card-content">
<h2 class="flow-text">Update your information</h2>
<form action="." method="POST" class="padding">
{% csrf_token %} {{ noodle_form.as_p }}
<div class="divider"></div>
{{ formset.management_form }}
{{ formset.as_p }}
<button type="submit" class="btn-floating btn-large waves-light waves-effect"><i
https://riptutorial.com/ 81
class="large material-icons">done</i></button>
<a href="#" onclick="window.history.back(); return false;" title="Cancel"
class="btn-floating waves-effect waves-light red"><i class="material-icons">history</i></a>
</form>
</div>
</div>
</div>
Django's built-in User model is not always appropiate for some kinds of projects. On some sites it
might make more sense to use an email address instead of a username for instance.
You can override the default User model adding your customized User model to the AUTH_USER_MODEL
setting, in your projects settings file:
AUTH_USER_MODEL = 'myapp.MyUser'
Note that it's highly adviced to create the AUTH_USER_MODEL before creating any migrations or
running manage.py migrate for the first time. Due to limitations of Django's synamic dependecy
feature.
For example on your blog you might want other authors to be able to sign-in with an email address
instead of the regular username, so we create a custom User model with an email address as
USERNAME_FIELD:
class CustomUser(AbstractBaseUser):
email = models.EmailField(unique=True)
USERNAME_FIELD = 'email'
In order to let the Django manage.py createsuperuser command know which other fields al required
we can specify a REQUIRED_FIELDS. This value has no effect in other parts of Django!
class CustomUser(AbstractBaseUser):
...
first_name = models.CharField(max_length=254)
last_name = models.CharField(max_length=254)
...
REQUIRED_FIELDS = ['first_name', 'last_name']
To be compliant with other part of Django we still have to specify the value is_active, the functions
get_full_name() and get_short_name():
https://riptutorial.com/ 82
class CustomUser(AbstractBaseUser):
...
is_active = models.BooleanField(default=False)
...
def get_full_name(self):
full_name = "{0} {1}".format(self.first_name, self.last_name)
return full_name.strip()
def get_short_name(self):
return self.first_name
You should also create a custom UserManager for your User model, which allows Django to use the
create_user() and create_superuser() functions:
class CustomUserManager(BaseUserManager):
def create_user(self, email, first_name, last_name, password=None):
if not email:
raise ValueError('Users must have an email address')
user = self.model(
email=self.normalize_email(email),
)
user.set_password(password)
user.first_name = first_name
user.last_name = last_name
user.save(using=self._db)
return user
user.is_admin = True
user.is_active = True
user.save(using=self.db)
return user
Your code will not work in projects where you reference the User model (and where the
AUTH_USER_MODEL setting has been changed) directly.
For example: if you want to create Post model for a blog with a customized User model, you should
specify the custom User model like this:
class Post(models.Model):
https://riptutorial.com/ 83
author = models.ForeignKey(settings.AUTH_USER_MODEL, on_delete=models.CASCADE)
https://riptutorial.com/ 84
Chapter 21: F() expressions
Introduction
An F() expression is a way for Django to use a Python object to refer to the value of model field or
annotated column in the database without having to pull the value into Python memory. This
allows developers to avoid certain race conditions and also filtering results based on model field
values.
Syntax
• from django.db.models import F
Examples
Avoiding race conditions
See this Q&A question if you don't know what race conditions are.
article = Article.objects.get(pk=69)
article.views_count += 1
article.save()
If two clients access this article at the same time, what may happen is that the second HTTP
request executes Article.objects.get(pk=69) before the first executes article.save(). Thus, both
requests will have views_count = 1337, increment it, and save views_count = 1338 to the database,
while it should actually be 1339.
article = Article.objects.get(pk=69)
article.views_count = F('views_count') + 1
article.save()
https://riptutorial.com/ 85
Let's assume that we want to remove 2 upvotes from all the articles of the author with id 51.
Doing this only with Python would execute N queries (N being the number of articles in the
queryset):
What if instead of pulling all the articles into Python, looping over them, decreasing the upvotes,
and saving each updated one back to the database, there was another way?
Using an F() expression, can do it in one query:
Article.objects.filter(author_id=51).update(upvotes=F('upvotes') - 2)
• Instead of Python doing the work, we pass the load into the database which is fine tuned to
make such queries.
• Effectively cuts down on the number of database queries needed to achieve the wanted
result.
F()expressions can be used to execute arithmetic operations (+, -, * etc.) among model fields, in
order to define an algebraic lookup/connection between them.
class MyModel(models.Model):
int_1 = models.IntegerField()
int_2 = models.IntegerField()
• Now lets assume that we want to retrieve all the objects of MyModel table who's int_1 and
int_2 fields satisfy this equation: int_1 + int_2 >= 5. Utilizing annotate() and filter() we get:
result = MyModel.objects.annotate(
diff=F(int_1) + F(int_2)
).filter(diff__gte=5)
Although the example utilizes Integer fields, this method will work on every field on which an
arithmetic operation can be applied.
https://riptutorial.com/ 86
Read F() expressions online: https://riptutorial.com/django/topic/2765/f---expressions
https://riptutorial.com/ 87
Chapter 22: Form Widgets
Examples
Simple text input widget
The most simple example of widget is custom text input. For instance, to create an <input
type="tel">, you have to subclass TextInput and set input_type to 'tel'.
class PhoneInput(TextInput):
input_type = 'tel'
Composite widget
class SelectMonthDateWidget(MultiWidget):
"""This widget allows the user to fill in a month and a year.
This represents the first day of this month or, if `last_day=True`, the
last day of this month.
"""
default_nb_years = 10
if not years:
this_year = date.today().year
years = range(this_year, this_year + self.default_nb_years)
if not months:
months = MONTHS
# Here we will use two `Select` widgets, one for months and one for years
widgets = (Select(attrs=attrs, choices=months.items()),
Select(attrs=attrs, choices=((y, y) for y in years)))
super().__init__(widgets, attrs)
https://riptutorial.com/ 88
def decompress(self, value):
"""Split the widget value into subwidgets values.
We expect value to be a valid date formated as `%Y-%m-%d`.
We extract month and year parts from this string.
"""
if value:
value = date(*map(int, value.split('-')))
return [value.month, value.year]
return [None, None]
https://riptutorial.com/ 89
Chapter 23: Forms
Examples
ModelForm Example
class OrderForm(forms.ModelForm):
class Meta:
model = Order
fields = ['item', 'order_date', 'customer', 'status']
class ContactForm(forms.Form):
contact_name = forms.CharField(
label="Your name", required=True,
widget=forms.TextInput(attrs={'class': 'form-control'}))
contact_email = forms.EmailField(
label="Your Email Address", required=True,
widget=forms.TextInput(attrs={'class': 'form-control'}))
content = forms.CharField(
label="Your Message", required=True,
widget=forms.Textarea(attrs={'class': 'form-control'}))
Widget is Django's representation of HTML user-input tags and can be used to render custom html
for form fields (eg: as a text box is rendered for the content input here)
attrs are attributes that will be copied over as is to the rendered html for the form.
https://riptutorial.com/ 90
from django.contrib.auth.models import User
class UserModuleProfile(models.Model):
user = models.OneToOneField(User)
expired = models.DateTimeField()
admin = models.BooleanField(default=False)
employee_id = models.CharField(max_length=50)
organisation_name = models.ForeignKey('Organizations', on_delete=models.PROTECT)
country = models.CharField(max_length=100)
position = models.CharField(max_length=100)
def __str__(self):
return self.user
class UserProfileForm(forms.ModelForm):
admin = forms.BooleanField(label="Make this User
Admin",widget=forms.CheckboxInput(),required=False)
employee_id = forms.CharField(label="Employee Id ")
organisation_name = forms.ModelChoiceField(label='Organisation
Name',required=True,queryset=Organizations.objects.all(),empty_label="Select an Organization")
country = forms.CharField(label="Country")
position = forms.CharField(label="Position")
class Meta:
model = UserModuleProfile
fields = ('admin','employee_id','organisation_name','country','position',)
Notice that below the Meta class in form I added a init function which we can use while initializing
the form from views.py to delete a form field (or some other actions). I will explain this later.
So This form can be used by for user registration purposes and we want all the fields defined in
the Meta class of the form. But what if we want to use the same form when we edit the user but
when we do we don't want to show the admin field of the form?
We can simply send an additional argument when we initialize the form based on some logic and
delete the admin field from backend.
def edit_profile(request,user_id):
context = RequestContext(request)
user = get_object_or_404(User, id=user_id)
profile = get_object_or_404(UserModuleProfile, user_id=user_id)
admin_check = False
if request.user.is_superuser:
admin_check = True
# If it's a HTTP POST, we're interested in processing form data.
if request.method == 'POST':
https://riptutorial.com/ 91
# Attempt to grab information from the raw form information.
profile_form =
UserProfileForm(data=request.POST,instance=profile,admin_check=admin_check)
# If the form is valid...
if profile_form.is_valid():
form_bool = request.POST.get("admin", "xxx")
if form_bool == "xxx":
form_bool_value = False
else:
form_bool_value = True
profile = profile_form.save(commit=False)
profile.user = user
profile.admin = form_bool_value
profile.save()
edited = True
else:
print profile_form.errors
return render_to_response(
'usermodule/edit_user.html',
{'id':user_id, 'profile_form': profile_form, 'edited': edited, 'user':user},
context)
As you can see I have shown here a simple edit example using the form we created earlier. Notice
when I initialized the form i passed an additional admin_check variable which contains either True or
False.
Now If you notice the form we wrote earlier you can see that in the init we try to catch the
admin_check param that we pass from here. If the value is False we simply delete the admin Field
from the form and use it. And Since this is a model form admin field could not be null in the model
we simply check if the form post had admin field in the form post, if not we set it to False in the
view code in following code of the view.
First of all we need to add MEDIA_ROOT and MEDIA_URL to our settings.py file
Also here you will work with ImageField, so remember in such cases install Pillow library (pip
https://riptutorial.com/ 92
install pillow). Otherwise, you will have such error:
Pillow is a fork of PIL, the Python Imaging Library, which is no longer maintained. Pillow is
backwards compatible with PIL.
Django comes with two form fields to upload files to the server, FileField and ImageField, the
following is an example of using these two fields in our form
forms.py:
class UploadDocumentForm(forms.Form):
file = forms.FileField()
image = forms.ImageField()
views.py:
def upload_doc(request):
form = UploadDocumentForm()
if request.method == 'POST':
form = UploadDocumentForm(request.POST, request.FILES) # Do not forget to add:
request.FILES
if form.is_valid():
# Do something with our files or simply save them
# if saved, our files would be located in media/ folder under the project's base
folder
form.save()
return render(request, 'upload_doc.html', locals())
upload_doc.html:
<html>
<head>File Uploads</head>
<body>
<form enctype="multipart/form-data" action="" method="post"> <!-- Do not forget to
add: enctype="multipart/form-data" -->
{% csrf_token %}
{{ form }}
<input type="submit" value="Save">
</form>
</body>
</html>
There are already implemented forms within Django to change the user password, one example
https://riptutorial.com/ 93
being SetPasswordForm.
There aren't, however, forms to modify the user e-mail and I think the following example is
important to understand how to use a form correctly.
• E-mail have in fact changed - very useful if you need to validate the e-mail or update mail
chimp;
• Both e-mail and confirmation e-mail are the same - the form has two fields for e-mail, so the
update is less error prone.
And in the end, it saves the new e-mail in the user object (updates the user e-mail). Notice that the
__init__() method requires a user object.
class EmailChangeForm(forms.Form):
"""
A form that lets a user change set their email while checking for a change in the
e-mail.
"""
error_messages = {
'email_mismatch': _("The two email addresses fields didn't match."),
'not_changed': _("The email address is the same as the one already defined."),
}
new_email1 = forms.EmailField(
label=_("New email address"),
widget=forms.EmailInput,
)
new_email2 = forms.EmailField(
label=_("New email address confirmation"),
widget=forms.EmailInput,
)
def clean_new_email1(self):
old_email = self.user.email
new_email1 = self.cleaned_data.get('new_email1')
if new_email1 and old_email:
if new_email1 == old_email:
raise forms.ValidationError(
self.error_messages['not_changed'],
code='not_changed',
)
return new_email1
def clean_new_email2(self):
new_email1 = self.cleaned_data.get('new_email1')
new_email2 = self.cleaned_data.get('new_email2')
if new_email1 and new_email2:
if new_email1 != new_email2:
raise forms.ValidationError(
self.error_messages['email_mismatch'],
code='email_mismatch',
https://riptutorial.com/ 94
)
return new_email2
def email_change(request):
form = EmailChangeForm()
if request.method=='POST':
form = Email_Change_Form(user,request.POST)
if form.is_valid():
if request.user.is_authenticated:
if form.cleaned_data['email1'] == form.cleaned_data['email2']:
user = request.user
u = User.objects.get(username=user)
# get the proper user
u.email = form.cleaned_data['email1']
u.save()
return HttpResponseRedirect("/accounts/profile/")
else:
return render_to_response("email_change.html", {'form':form},
context_instance=RequestContext(request))
https://riptutorial.com/ 95
Chapter 24: Formsets
Syntax
• NewFormSet = formset_factory( SomeForm, extra=2 )
• formset = NewFormSet( initial = [ {'some_field': 'Field Value', 'other_field': 'Other Field
Value',} ])
Examples
Formsets with Initialized and unitialized data
Formsetis a way to render multiple forms in one page, like a grid of data. Ex: This ChoiceForm might
be associated with some question of sort. like, Kids are most Intelligent between which age?.
appname/forms.py
In your views you can use formset_factory constructor which takes takes Form as a parameter its
ChoiceForm in this case and extra which describes how many extra forms other than initialized
form/forms needs to be rendered, and you can loop over the formset object just like any other
iterable.
If the formset is not initialized with data it prints the number of forms equal to extra + 1 and if the
formset is initialized it prints initialized + extra where extra number of empty forms other than
initialized ones.
appname/views.py
import datetime
from django.forms import formset_factory
from appname.forms import ChoiceForm
ChoiceFormSet = formset_factory(ChoiceForm, extra=2)
formset = ChoiceFormSet(initial=[
{'choice': 'Between 5-15 ?',
'pub_date': datetime.date.today(),}
])
if you loop over formset object like this for form in formset: print(form.as_table())
<tr>
<th><label for="id_form-0-choice">Choice:</label></th>
<td><input type="text" name="form-0-choice" value="Between 5-15 ?" id="id_form-0-choice"
https://riptutorial.com/ 96
/></td>
</tr>
<tr>
<th><label for="id_form-0-pub_date">Pub date:</label></th>
<td><input type="text" name="form-0-pub_date" value="2008-05-12" id="id_form-0-pub_date"
/></td>
</tr>
<tr>
<th><label for="id_form-1-choice">Choice:</label></th>
<td><input type="text" name="form-1-choice" id="id_form-1-choice" /></td>
</tr>
<tr>
<th><label for="id_form-1-pub_date">Pub date:</label></th>
<td><input type="text" name="form-1-pub_date" id="id_form-1-pub_date" /></td
</tr>
<tr>
<th><label for="id_form-2-choice">Choice:</label></th>
<td><input type="text" name="form-2-choice" id="id_form-2-choice" /></td>
</tr>
<tr>
<th><label for="id_form-2-pub_date">Pub date:</label></th>
<td><input type="text" name="form-2-pub_date" id="id_form-2-pub_date" /></td>
</tr>
https://riptutorial.com/ 97
Chapter 25: Generic Views
Introduction
Generic views are views that perform a certain pre-defined action, like creating, editing or deleting
objects, or simply showing a template.
Generic views have to be distinguished from functional views, which are always hand-written to
perform the required tasks. In a nutshell, it can be said that generic views need to be configured,
while functional views need to be programmed.
Generic views may save a lot of time, especially when you have many standardized tasks to
perform.
Remarks
These examples show that generic views generally make standardized tasks much simpler.
Instead of programming everything from scratch, you configure what other people have already
programmed for you. This makes sense in many situations, as it allows you concentrate more on
the design of your projects rather than the processes in the background.
So, should you always use them? No. They only make sense as long as your tasks are fairly
standardizes (loading, editig, deleting objects) and the more repetitive your tasks are. Using one
specific generic view only once and then override all its methods to perform very speficic tasks
may not make sense. You may be better off with a functional view here.
However, if you have plenty of views that require this functionality or if your tasks match excatly
the defined tasks of a specific generic view, then generic views are exactly what you need in order
to make your life simpler.
Examples
Minimum Example: Functional vs. Generic Views
Example for a functional view to create an object. Excluding comments and blank lines, we need
15 lines of code:
# imports
from django.shortcuts import render_to_response
from django.http import HttpResponseRedirect
# view functioon
def create_object(request):
https://riptutorial.com/ 98
# when request method is 'GET', show the template
if request.method == GET:
# perform actions, such as loading a model form
form = SampleObjectForm()
return render_to_response('template.html', locals())
Example for a 'Class-Based Generic View' to perform the same task. We only need 7 lines of code
to achieve the same task:
class CreateObject(CreateView):
model = SampleObject
form_class = SampleObjectForm
success_url = 'url_to_redirect_to'
The above example only works if your tasks are entirely standard tasks. You do not add extra
context here, for example.
Let's make a more realistic example. Assume we want to add a page title to the template. In the
functional view, this would work like this - with just one additional line:
def create_object(request):
page_title = 'My Page Title'
# ...
This is more difficult (or: counter-intutitive) to achieve with generic views. As they are class-based,
you need to override one or several of the class's method to achieve the desired outcome. In our
example, we need to override the class's get_context_data method like so:
class CreateObject(CreateView):
model = SampleObject
form_class = SampleObjectForm
https://riptutorial.com/ 99
success_url = 'url_to_redirect_to'
Here, we need four additional lines to code instead of just one - at least for the first additional
context variable we want to add.
The true power of generic views unfolds when you combine them with Mixins. A mixin is a just
another class defined by you whose methods can be inherited by your view class.
Assume you want every view to show the additional variable 'page_title' in the template. Instead of
overriding the get_context_data method each time you define the view, you create a mixin with
this method and let your views inherit from this mixin. Sounds more complicated than it actually is:
# Your Mixin
class CustomMixin(object):
The beauty of this is that your code becomes much more structured than it is mostly the case with
functional views. Your entire logic behind specific tasks sits in one place and one place only. Also,
you will save tremendous amounts of time especially when you have many views that always
perform the same tasks, except with different objects
https://riptutorial.com/ 100
Chapter 26: How to reset django migrations
Introduction
As you develop a Django app, there might be situations where you can save a lot of time by just
cleaning up and resetting your migrations.
Examples
Resetting Django Migration: Deleting existing database and migrating as fresh
Drop/Delete your database If you are using SQLite for your database, just delete this file. If you
are using MySQL/Postgres or any other database system, you will have to drop the database and
then recreate a fresh database.
You will now need to delete all the migrations file except "init.py" file located inside the migrations
folder under your app folder.
/your_django_project/your_app/migrations
Now that you have deleted the database and the migrations file, just run the following commands
as you would migrate the first time you setup django project.
https://riptutorial.com/ 101
Chapter 27: How to use Django with
Cookiecutter?
Examples
Installing and setting up django project using Cookiecutter
• pip
• virtualenv
• PostgreSQL
Change directories into the folder where you want your project to live. Now execute the following
command to generate a django project:
$ cookiecutter https://github.com/pydanny/cookiecutter-django.git
This command runs cookiecutter with the cookiecutter-django repo, asking us to enter project-
specific details. Press “enter” without typing anything to use the default values, which are shown in
[brackets] after the question.
https://riptutorial.com/ 102
use_python2 [n]: n
More details about the project generation options can be found in the offical documentation. The
project is now setup.
https://riptutorial.com/ 103
Chapter 28: Internationalization
Syntax
• gettext(message)
• ngettext(singular, plural, number)
• ugettext(message)
• ungettext(singular, plural, number)
• pgettext(context, message)
• npgettext(context, singular, plural, number)
• gettext_lazy(message)
• ngettext_lazy(singular, plural, number=None)
• ugettext_lazy(message)
• ungettext_lazy(singular, plural, number=None)
• pgettext_lazy(context, message)
• npgettext_lazy(context, singular, plural, number=None)
• gettext_noop(message)
• ugettext_noop(message)
Examples
Introduction to Internationalization
Setting up
settings.py
https://riptutorial.com/ 104
Marking strings as translatable
The first step in translation is is to mark strings as translatable. This is passing them through one
of the gettext functions (See the Syntax section). For instance, here is an example model
definition:
class Child(models.Model):
class Meta:
verbose_name = _("child")
verbose_name_plural = _("children")
All strings encapsulated in _() are now marked as translatable. When printed, they will always be
displayed as the encapsulated string, whatever the chosen language (since no translation is
available yet).
Translating strings
This example is sufficient to get started with translation. Most of the time you will only want to mark
strings as translatable to anticipate prospective internationalization of your project. Thus, this
is covered in another example.
https://riptutorial.com/ 105
>>> month = _("June")
>>> month
<django.utils.functional.lazy.<locals>.__proxy__ object at 0x7f61cb805780>
>>> str(month)
'June'
>>> activate('fr')
>>> month
<django.utils.functional.lazy.<locals>.__proxy__ object at 0x7f61cb805780>
>>> "month: {}".format(month)
'month: juin'
>>> "month: %s" % month
'month: Juni'
• Translation may not be activated (language not selected) when _("some string") is evaluated
• Some strings may be evaluated only at startup (eg. in class attributes such as model and
form fields definitions)
Translation in templates
{% load i18n %}
Of course instead of "John" and "Doe" you can have variables and filters:
https://riptutorial.com/ 106
If first_name and last_name are already in your context, you can even omit the with clause:
However, only "top-level" context variables can be use. This will NOT work:
{% blocktrans %}
My name is {{ user.first_name }} {{ user.last_name }}
{% endblocktrans %}
This is mainly because the variable name is used as placeholder in translation files.
Finally, regardless of the i18n library, you can pass translatable strings to template tags using the
_("") syntax.
{{ site_name|default:_("It works!") }}
{% firstof var1 var2 _("translatable fallback") %}
This is some magic built-in django template system to mimic a function call syntax but this ain't a
function call. _("It works!") passed to the default template tag as a string '_("It works!")' which
is then parsed a translatable string, just as name would be parsed as a variable and "name" would be
parsed as a string.
Translating strings
To translate strings, you will have to create translation files. To do so, django ships with the
management command makemessages.
$ django-admin makemessages -l fr
processing locale fr
The above command will discover all strings marked as translatable within your installed apps and
create one language file for each app for french translation. For instance, if you have only one app
myapp containing translatable strings, this will create a file myapp/locale/fr/LC_MESSAGES/django.po.
This file may look like the following:
https://riptutorial.com/ 107
msgid ""
msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2016-07-24 14:01+0200\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
"Language: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
#: myapp/models.py:22
msgid "user"
msgstr ""
#: myapp/models.py:39
msgid "A user already exists with this email address."
msgstr ""
#: myapp/templates/myapp/register.html:155
#, python-format
msgid ""
"By signing up, you accept our <a href=\"%(terms_url)s\" "
"target=_blank>Terms of services</a>."
msgstr ""
You will first have to fill in the placeholders (emphasized with uppercases). Then translate the
strings. msgid is the string marked as translatable in your code. msgstr is where you have to write
the translation of the string right above.
When a string contains placeholders, you will have to include them in your translation as well. For
instance, you will translate the latest message as the following:
#: myapp/templates/myapp/register.html:155
#, python-format
msgid ""
"By signing up, you accept our <a href=\"%(terms_url)s\" "
"target=_blank>Terms of services</a>."
msgstr ""
"En vous inscrivant, vous acceptez nos <a href=\"%(terms_url)s\" "
"target=_blank>Conditions d'utilisation</a>"
Once your translation file is completed, you will have to compile the .po files into .mo files. This is
done by calling the compilemessages management command:
$ django-admin compilemessages
To update your translation files when you make changes to your code, you can rerun django-admin
makemessages -l fr. This will update .po files, keeping your existing translations and adding the new
ones. Deleted strings will still be available in comments. To update .po files for all languages, run
django-admin makemessages -a. Once your .po files are updated, don't forget to run django-admin
https://riptutorial.com/ 108
compilemessages again to generate .mo files.
(u)gettext_noop allows you to mark a string as translatable without actually translating it.
A typical use case is when you want to log a message for developers (in English) but also want to
display it to the client (in the requested language). You can pass a variable to gettext, but its
content won't be discovered as a translatable string because it is, per definition, variable..
logger = logging.getLogger(__name__)
The error message won't appear in the .po file and you will have to remember it exists to add it
manually. To fix this, you can use gettext_noop.
Now the string "Oops, something went wrong!" will be discovered and available in the .po file when
generated. And the error will still be logged in English for developers.
Common pitfalls
fuzzy translations
Sometimes makemessages may think that the string it found for translation is somewhat similar to
already existing translation. It will when mark it in the .po file with a special fuzzy comment like this:
#: templates/randa/map.html:91
#, fuzzy
msgid "Country"
msgstr "Länderinfo"
Even if translation is correct or you updated it to correct one it will not be used to translate your
project unless you remove fuzzy comment line.
Multiline strings
makemessages parses files in various formats, from plain text to python code and it is not designed to
follow every possible rule for having multi-line strings in those formats. Most of the time it will work
https://riptutorial.com/ 109
just fine with single line strings but if you have construction like this:
translation = _("firstline"
"secondline"
"thirdline")
It will only pick up firstline for translation. Solution for this is to avoid using multiline strings when
possible.
https://riptutorial.com/ 110
Chapter 29: JSONField - a PostgreSQL
specific field
Syntax
• JSONField(**options)
Remarks
• Django's JSONField actually stores the data in a Postgres JSONB column, which is only
available in Postgres 9.4 and later.
• JSONField is great when you want a more flexible schema. For example if you want to change
the keys without having to do any data migrations, or if not all your objects have the same
structure.
• If you're storing data with static keys, consider using multiple normal fields instead of
JSONFields instead, as querying JSONField can get quite tedious sometimes.
Chaining queries
You can chain queries together. For example, if a dictionary exists inside a list, add two
underscores and your dictionary query.
Examples
Creating a JSONField
class IceCream(models.Model):
metadata = JSONField()
https://riptutorial.com/ 111
Pass data in native Python form, for example list, dict, str, None, bool, etc.
IceCream.objects.create(metadata={
'date': '1/1/2016',
'ordered by': 'Jon Skeet',
'buyer': {
'favorite flavor': 'vanilla',
'known for': ['his rep on SO', 'writing a book']
},
'special requests': ['hot sauce'],
})
See the note in the "Remarks" section about using JSONField in practice.
Get all ice cream cones that were ordered by people liking chocolate:
IceCream.objects.filter(metadata__buyer__favorite_flavor='chocolate')
Ordering directly on JSONField is not yet supported in Django. But it's possible via RawSQL using
PostgreSQL functions for jsonb:
data = JSONField()
https://riptutorial.com/ 112
Chapter 30: Logging
Examples
Logging to Syslog service
It is possible to configure Django to output log to a local or remote syslog service. This
configuration uses the python builtin SysLogHandler.
https://riptutorial.com/ 113
Django basic logging configuration
Internally, Django uses the Python logging system. There is many way to configure the logging of
a project. Here is a base:
LOGGING = {
'version': 1,
'disable_existing_loggers': False,
'formatters': {
'default': {
'format': "[%(asctime)s] %(levelname)s [%(name)s:%(lineno)s] %(message)s",
'datefmt': "%Y-%m-%d %H:%M:%S"
},
},
'handlers': {
'console': {
'level': 'INFO',
'class': 'logging.StreamHandler',
'formatter': 'default'
},
},
'loggers': {
'django': {
'handlers': ['console'],
'propagate': True,
'level': 'INFO',
},
}
}
Formatters
It can be used to configure logs appearence when they are printed to output. You can define many
formatters by setting a key string to each different formatter. A formatter is then used when
declaring a handler.
Handlers
Can be used to configure where the logs will be printed. In the example above, they are sent to
stdout and stderr. There is various handler classes:
'rotated_logs': {
'class': 'logging.handlers.RotatingFileHandler',
'filename': '/var/log/my_project.log',
'maxBytes': 1024 * 1024 * 5, # 5 MB
'backupCount': 5,
'formatter': 'default'
'level': 'DEBUG',
},
This will produce logs in file tergeted by filename. In this example, a new log file will be created
when the current reach the size of 5 MB (the old one is renamed to my_project.log.1) and the
latest 5 files will be kept for archive.
https://riptutorial.com/ 114
'mail_admins': {
'level': 'ERROR',
'class': 'django.utils.log.AdminEmailHandler'
},
This will send each log by eamil to users specified in ADMINS setting variable. The level is set to
ERROR, so only logs with level ERROR will be sent by e-mail. This is extremely useful to stay informed
on potential errors 50x on a production server.
Other handlers can be used with Django. For a full list, please read the corresponding
documentation. Like formatters, you can define many handlers in a same project, setting for each
a different key string. Each handler can be used in a specific logger.
Loggers
In LOGGING, the last part configure for each module the minimal logging level, the handlers(s) to
use, etc.
https://riptutorial.com/ 115
Chapter 31: Management Commands
Introduction
Management commands are powerful and flexible scripts that can perform actions on your Django
project or the underlying database. In addition to various default commands, it's possible to write
your own!
Compared to regular Python scripts, using the management command framework means that
some tedious setup work is automatically done for you behind the scenes.
Remarks
Management commands can be called either from:
Examples
Creating and Running a Management Command
To perform actions in Django using commandline or other services (where the user/request is not
used), you can use the management commands.
class Command(BaseCommand):
help = 'My custom django management command'
https://riptutorial.com/ 116
def handle(self, *args, **options):
bookid = options['book_id']
author = options['author']
# Your code goes here
# For example:
# books = Book.objects.filter(author="bob")
# for book in books:
# book.name = "Bob"
# book.save()
Here class name Command is mandatory which extends BaseCommand or one of its
subclasses.
The name of the management command is the name of the file containing it. To run the command
in the example above, use the following in your project directory:
Note that starting a command can take a few second (because of the import of the
modules). So in some cases it is advised to create daemon processes instead of
management commands.
If you don't understand any command or looking for optional arguments then you can use -h
argument like this
Here command_name will be your desire command name, this will show you help text from the
command.
Starts a lightweight Web server for development and also serves static files.
positional arguments:
addrport Optional port number, or ipaddr:port
https://riptutorial.com/ 117
optional arguments:
-h, --help show this help message and exit
--version show program's version number and exit
-v {0,1,2,3}, --verbosity {0,1,2,3}
Verbosity level; 0=minimal output, 1=normal output,
2=verbose output, 3=very verbose output
--settings SETTINGS The Python path to a settings module, e.g.
"myproject.settings.main". If this isn't provided, the
DJANGO_SETTINGS_MODULE environment variable will be
used.
--pythonpath PYTHONPATH
A directory to add to the Python path, e.g.
"/home/djangoprojects/myproject".
--traceback Raise on CommandError exceptions
--no-color Don't colorize the command output.
--ipv6, -6 Tells Django to use an IPv6 address.
--nothreading Tells Django to NOT use threading.
--noreload Tells Django to NOT use the auto-reloader.
--nostatic Tells Django to NOT automatically serve static files
at STATIC_URL.
--insecure Allows serving static files even if DEBUG is False.
You can get rid of manage.py and use the django-admin command instead. To do so, you will have to
manually do what manage.py does:
export PYTHONPATH="/home/me/path/to/your_project"
export DJANGO_SETTINGS_MODULE="your_project.settings"
This is especially useful in a virtualenv where you can set these environment variables in the
postactivate script.
django-admin command has the advantage of being available wherever you are on your filesystem.
Django comes with a number of builtin management commands, using python manage.py [command]
or, when manage.py has +x (executable) rights simply ./manage.py [command] . The following are
some of the most frequently used:
./manage.py help
https://riptutorial.com/ 118
./manage.py runserver
Run a python (or ipython if installed) console with the Django settings of your project preloaded
(attempting to access parts of your project in a python terminal without doing this will fail).
./manage.py shell
Create a new database migration file based on the changes you have made to your models. See
Migrations
./manage.py makemigrations
./manage.py migrate
./manage.py test
Take all of the static files of your project and puts them in the folder specified in STATIC_ROOT so
they can be served in production.
./manage.py collectstatic
./manage.py createsuperuser
https://riptutorial.com/ 119
Chapter 32: Many-to-many relationships
Examples
With a through model
class Skill(models.Model):
name = models.CharField(max_length=50)
description = models.TextField()
class Developer(models.Model):
name = models.CharField(max_length=50)
skills = models.ManyToManyField(Skill, through='DeveloperSkill')
class DeveloperSkill(models.Model):
"""Developer skills with respective ability and experience."""
class Meta:
order_with_respect_to = 'developer'
"""Sort skills per developer so that he can choose which
skills to display on top for instance.
"""
unique_together = [
('developer', 'skill'),
]
"""It's recommended that a together unique index be created on
`(developer,skill)`. This is especially useful if your database is
being access/modified from outside django. You will find that such an
index is created by django when an explicit through model is not
being used.
"""
ABILITY_CHOICES = [
(1, "Beginner"),
(2, "Accustomed"),
(3, "Intermediate"),
(4, "Strong knowledge"),
(5, "Expert"),
]
ability = models.PositiveSmallIntegerField(choices=ABILITY_CHOICES)
experience = models.PositiveSmallIntegerField(help_text="Years of experience.")
It's recommended that a together unique index be created on (developer,skill). This is especially
useful if your database is being access/modified from outside django. You will find that such an
index is created by django when an explicit through model is not being used.
https://riptutorial.com/ 120
Simple Many To Many Relationship.
class Person(models.Model):
name = models.CharField(max_length=50)
description = models.TextField()
class Club(models.Model):
name = models.CharField(max_length=50)
members = models.ManyToManyField(Person)
Here we define a relationship where a club has many Persons and members and a Person can be
a member of several different Clubs.
Though we define only two models, django actually creates three tables in the database for us.
These are myapp_person, myapp_club and myapp_club_members. Django automatically creates a
unique index on myapp_club_members(club_id,person_id) columns.
class Person(models.Model):
name = models.CharField(max_length=50)
description = models.TextField()
class Club(models.Model):
name = models.CharField(max_length=50)
members = models.ManyToManyField(Person)
Tom
Bill
https://riptutorial.com/ 121
Chapter 33: Mapping strings to strings with
HStoreField - a PostgreSQL specific field
Syntax
• FooModel.objects.filter(field_name__key_name='value to query')
Remarks
Examples
Setting up HStoreField
class FooMigration(migrations.Migration):
# put your other migration stuff here
operations = [
HStoreExtension(),
...
]
-> Note: make sure you set up HStoreField first before going on with this example.
(above)
class Catalog(models.model):
name = models.CharField(max_length=200)
titles_to_authors = HStoreField()
https://riptutorial.com/ 122
Catalog.objects.create(name='Library of Congress', titles_to_authors={
'Using HStoreField with Django': 'CrazyPython and la communidad',
'Flabbergeists and thingamajigs': 'La Artista Fooista',
'Pro Git': 'Scott Chacon and Ben Straub',
})
Using contains
Catalog.objects.filter(titles__contains={
'Pro Git': 'Scott Chacon and Ben Straub'})
Read Mapping strings to strings with HStoreField - a PostgreSQL specific field online:
https://riptutorial.com/django/topic/2670/mapping-strings-to-strings-with-hstorefield---a-postgresql-
specific-field
https://riptutorial.com/ 123
Chapter 34: Meta: Documentation Guidelines
Remarks
This is an extension of Python's "Meta: Documentation Guidelines" for Django.
These are just proposals, not recommendations. Feel free to edit anything here if you disagree or
have something else to mention.
Examples
Unsupported versions don't need special mention
It is unlikely that someone uses an unsupported version of Django, and at his own risks. If ever
someone does, it must be his concern to know if a feature exists in the given version.
1.6
This kind of block is useless because no sane person uses Django < 1.6.
1.8
This kind of block is useless because no sane person uses Django < 1.8.
This also goes for topics. At the time of writing this example, Class based views states supported
versions are 1.3-1.9. We can safely assume this is actually equivalent to All versions. This also
avoids upgrading all topics supported versions every time a new version is released.
1. Security fixes, data loss bugs, crashing bugs, major functionality bugs in newly-introduced
features, and regressions from older versions of Django.
2. Security fixes and data loss bugs.
https://riptutorial.com/ 124
Chapter 35: Middleware
Introduction
Middleware in Django is a framework that allows code to hook into the response / request
processing and alter the input or output of Django.
Remarks
Middleware needs to be added to your settings.py MIDDLEWARE_CLASSES list before it will be included
in execution. The default list that Django provides when creating a new project is as follows:
MIDDLEWARE_CLASSES = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.auth.middleware.SessionAuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
These are all functions that will run in order on every request (once before it reaches your view
code in views.py and once in reverse order for process_response callback, before version 1.10).
They do a variety of things such as injecting the Cross Site Request Forgery (csrf) token.
The order matters because if some middleware does a redirect, then the all the subsequent
middleware will never run. Or if a middleware expects the csrf token to be there, it has to run after
the CsrfViewMiddleware.
Examples
Add data to requests
Django makes it really easy to add additional data onto requests for use within the view. For
example, we can parse out the subdomain on the request's META and attach it as a separate
property on the request by using middleware.
class SubdomainMiddleware:
def process_request(self, request):
"""
Parse out the subdomain from the request
"""
host = request.META.get('HTTP_HOST', '')
host_s = host.replace('www.', '').split('.')
request.subdomain = None
if len(host_s) > 2:
https://riptutorial.com/ 125
request.subdomain = host_s[0]
If you add data with middleware to your request, you can access that newly added data further
down the line. Here we'll use the parsed subdomain to determine something like what organization
is accessing your application. This approach is useful for apps that are deployed with a DNS setup
with wildcard subdomains that all point to a single instance and the person accessing the app
wants a skinned version dependent on the access point.
class OrganizationMiddleware:
def process_request(self, request):
"""
Determine the organization based on the subdomain
"""
try:
request.org = Organization.objects.get(domain=request.subdomain)
except Organization.DoesNotExist:
request.org = None
Remember that order matters when having middleware depend on one another. For requests,
you'll want the dependent middleware to be placed after the dependency.
MIDDLEWARE_CLASSES = [
...
'myapp.middleware.SubdomainMiddleware',
'myapp.middleware.OrganizationMiddleware',
...
]
If you don't have it you need to create the middleware folder within your app following the
structure:
yourproject/yourapp/middleware
The folder middleware should be placed in the same folder as settings.py, urls, templates...
Important: Don't forget to create the init.py empty file inside the middleware folder so your
app recognizes this folder
Instead of having a separate folder containing your middleware classes, it is also possible to put
your functions in a single file, yourproject/yourapp/middleware.py.
Now we should create a file for our custom middleware. In this example let's suppose we want a
middleware that filter the users based on their IP address, we create a file called
filter_ip_middleware.py:
https://riptutorial.com/ 126
#yourproject/yourapp/middleware/filter_ip_middleware.py
from django.core.exceptions import PermissionDenied
class FilterIPMiddleware(object):
# Check if client IP address is allowed
def process_request(self, request):
allowed_ips = ['192.168.1.1', '123.123.123.123', etc...] # Authorized ip's
ip = request.META.get('REMOTE_ADDR') # Get client IP address
if ip not in allowed_ips:
raise PermissionDenied # If user is not allowed raise Error
We need to look for the MIDDLEWARE_CLASSES inside the settings.py and there we need to add our
middleware (Add it in the last position). It should be like:
MIDDLEWARE_CLASSES = (
'django.middleware.common.CommonMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
# Above are Django standard middlewares
Done! Now every request from every client will call your custom middleware and process your
custom code!
Say you have implemented some logic to detect attempts to modify an object in the database
while the client that submitted changes didn't have the latest modifications. If such case happens,
you raise a custom exception ConfictError(detailed_message).
Now you want to return an HTTP 409 (Confict) status code when this error occurs. You may
typically use as middleware for this instead of handling it in each view that might raise this
exception.
class ConfictErrorHandlingMiddleware:
def process_exception(self, request, exception):
if not isinstance(exception, ConflictError):
return # Propagate other exceptions, we only handle ConflictError
context = dict(confict_details=str(exception))
return TemplateResponse(request, '409.html', context, status=409)
https://riptutorial.com/ 127
Django 1.10 introduced a new middleware style where process_request and process_response are
merged together.
In this new style, a middleware is a callable that returns another callable. Well, actually the former
is a middleware factory and the latter is the actual middleware.
The middleware factory takes as single argument the next middleware in the middlewares stack,
or the view itself when the bottom of the stack is reached.
The middleware takes the request as single argument and always returns an HttpResponse.
The best example to illustrate how new-style middleware works is probably to show how to make a
backward-compatible middleware:
class MyMiddleware:
https://riptutorial.com/ 128
Chapter 36: Migrations
Parameters
makemigrations --name <migration_name> Generate a migration for my_app with the name
<my_app> migration_name
sqlmigrate <my_app> <migration_name> Prints the SQL for the named migration
Examples
Working with migrations
Django uses migrations to propagate changes you make to your models to your database. Most of
the time django can generate them for you.
This will create a migration file in the migration submodule of app_name. The first migration will be
named 0001_initial.py, the other will start with 0002_, then 0003, ...
https://riptutorial.com/ 129
If you omit <app_name> this will create migrations for all your INSTALLED_APPS.
You call also revert migrations, this can be done by passing the migration name to the migrate
command. Given the above list of migrations (shown by django-admin showmigrations):
Manual migrations
Sometimes, migrations generated by Django are not sufficient. This is especially true when you
want to make data migrations.
class Article(models.Model):
title = models.CharField(max_length=70)
This model already have existing data and now you want to add a SlugField:
class Article(models.Model):
title = models.CharField(max_length=70)
slug = models.SlugField(max_length=70)
You created the migrations to add the field, but now you would like to set the slug for all existing
article, according to their title.
https://riptutorial.com/ 130
$ django-admin shell
>>> from my_app.models import Article
>>> from django.utils.text import slugify
>>> for article in Article.objects.all():
... article.slug = slugify(article.title)
... article.save()
...
>>>
But you will have to do this in all your environments (ie. your office desktop, your laptop, ...), all
your coworkers will have to do so as well, and you will have to think about it on staging and when
pushing live.
To make it once and for all, we will do it in a migration. First create an empty migration:
This will create an empty migration file. Open it, it contains an base skeleton. Let's say your
previous migration was named 0023_article_slug and this one is named 0024_auto_20160719_1734.
Here is what we will write in our migration file:
class Migration(migrations.Migration):
dependencies = [
('hosting', '0023_article_slug'),
]
operations = [
migrations.RunPython(gen_slug, reverse_code=migrations.RunPython.noop),
# We set `reverse_code` to `noop` because we cannot revert the migration
# to get it back in the previous state.
# If `reverse_code` is not given, the migration will not be reversible,
# which is not the behaviour we expect here.
]
Fake migrations
When a migration is run, Django stores the name of the migration in a django_migrations table.
https://riptutorial.com/ 131
Create and Fake initial migrations for existing schema
If your app already has models and database tables, and doesn’t have migrations. First create
initial migrations for you app.
Use the makemigrations --name <your_migration_name> option to allow naming the migrations(s)
instead of using a generated name.
Introduction
Sometimes migrations conflict, resulting in making the migration unsuccesful. This can happen in
a lot of scenerio's, however it can occur on a regular basis when developing one app with a team.
Common migration conflicts happen while using source control, especially when the feature-per-
branch method is used. For this scenario we will use a model called Reporter with the attributes
name and address.
Two developers at this point are going to develop a feature, thus they both get this initial copy of
the Reporter model. Developer A adds an age which results in the file 0002_reporter_age.py file.
Developer B adds a bank_account field which resulsts in 0002_reporter_bank_account. Once these
developers merge their code together and attempt to migrate the migrations, a migration conflict
occurred.
https://riptutorial.com/ 132
This conflict occurs because these migrations both alter the same model, Reporter. On top of that,
the new files both start with 0002.
Merging migrations
There are several ways of doing it. The following is in the recommended order:
1. The most simple fix for this is by running the makemigrations command with a --merge flag.
2. When this extra file is not welcome in the development environment for personal reasons, an
option is to delete the conflicting migrations. Then, a new migration can be made using the
regular makemigrations command. When custom migrations are written, such as
migrations.RunPython, need to be accounted for using this method.
First off, let's assume this is your initial model, inside an application called discography:
class Album(models.Model):
name = models.CharField(max_length=255)
artist = models.CharField(max_length=255)
Now, you realize that you want to use a ForeignKey for the artist instead. This is a somewhat
complex process, which has to be done in several steps.
Step 1, add a new field for the ForeignKey, making sure to mark it as null (note that the model we
are linking to is also now included):
class Album(models.Model):
name = models.CharField(max_length=255)
artist = models.CharField(max_length=255)
artist_link = models.ForeignKey('Artist', null=True)
class Artist(models.Model):
name = models.CharField(max_length=255)
Step 2, populate your new field. In order to do this, you have to create an empty migration.
https://riptutorial.com/ 133
./manage.py makemigrations --empty --name transfer_artists discography
Once you have this empty migration, you want to add a single RunPython operation to it in order to
link your records. In this case, it could look something like this:
Now that your data is transferred to the new field, you could actually be done and leave everything
as is, using the new artist_link field for everything. Or, if you want to do a bit of cleanup, you want
to create two more migrations.
For your first migration, you will want to delete your original field, artist. For your second
migration, rename the new field artist_link to artist.
This is done in multiple steps to ensure that Django recognizes the operations properly.
https://riptutorial.com/ 134
Chapter 37: Model Aggregations
Introduction
Aggregations are methods allowing the execution of operations on (individual and/or groups of)
rows of objects derived from a Model.
Examples
Average, Minimum, Maximum, Sum from Queryset
class Product(models.Model):
name = models.CharField(max_length=20)
price = models.FloatField()
>>> Product.objects.all().aggregate(Min('price'))
# {'price__min': 9}
>>> Product.objects.all().aggregate(Max('price'))
# {'price__max':599 }
>>> Product.objects.all().aggregate(Sum('price'))
# {'price__sum':92456 }
class Category(models.Model):
name = models.CharField(max_length=20)
class Product(models.Model):
name = models.CharField(max_length=64)
category = models.ForeignKey(Category, on_delete=models.PROTECT)
https://riptutorial.com/ 135
>>> categories = Category.objects.annotate(Count('product'))
You can provide a custom name for your attribute by using a keyword argument:
>>> categories.order_by('num_products')
[<Category: Footwear>, <Category: Clothing>]
>>> categories.filter(num_products__gt=20)
[<Category: Clothing>]
We can perform a GROUP BY ... COUNT or a GROUP BY ... SUM SQL equivalent queries on Django
ORM, with the use of annotate(), values(), order_by() and the django.db.models's Count and Sum
methods respectfully:
class Books(models.Model):
title = models.CharField()
author = models.CharField()
price = models.FloatField()
• Lets assume that we want to count how many book objects per distinct author exist in our
Books table:
result = Books.objects.values('author')
.order_by('author')
.annotate(count=Count('author'))
• Now result contains a queryset with two columns: author and count:
author | count
------------|-------
OneAuthor | 5
OtherAuthor | 2
... | ...
https://riptutorial.com/ 136
GROUB BY ... SUM:
• Lets assume that we want to sum the price of all the books per distinct author that exist in
our Books table:
result = Books.objects.values('author')
.order_by('author')
.annotate(total_price=Sum('price'))
• Now result contains a queryset with two columns: author and total_price:
author | total_price
------------|-------------
OneAuthor | 100.35
OtherAuthor | 50.00
... | ...
https://riptutorial.com/ 137
Chapter 38: Model Field Reference
Parameters
Parameter Details
If true, then the field will not be required in forms. If fields are left blank,
blank
Django will use the default field value.
By default, django uses the field name for the database column. Use this
db_column
to provide a custom name
The tablespace to use for this field's index. This field is only used if the
db_tablespace
database engine supports it, otherwise its ignored.
The default value for this field. Can be a value, or a callable object. For
default mutable defaults (a list, a set, a dictionary) you must use a callable. Due
to compatibility with migrations, you cannot use lambdas.
If False, the field is not shown in the model admin or any ModelForm.
editable
Default is True.
Used to customize the default error messages shown for this field. The
value is a dictionary, with the keys representing the error and the value
error_messages being the message. Default keys (for error messages) are null, blank,
invalid, invalid_choice, unique and unique_for_date; additional error
messages may be defined by custom fields.
help_text Text to be displayed with the field, to assist users. HTML is allowed.
primary_key If True, this field will be the primary key. Django automatically adds a
https://riptutorial.com/ 138
Parameter Details
If True, errors are raised if duplicate values are entered for this field. This
unique
is a database-level restriction, and not simply a user-interface block.
unique_for_month Similar to unique_for_date, except checks are limited for the month.
A friendly name for the field, used by django in various places (such as
verbose_name
creating labels in the admin and model forms).
Remarks
• You can write your own fields if you find it necessary
• You can override functions of the base model class, most commonly the save() function
Examples
Number Fields
AutoField
class MyModel(models.Model):
pk = models.AutoField()
Each model gets a primary key field (called id) by default. Therefore, it is not
necessary to duplicate an id field in the model for the purposes of a primary key.
BigIntegerField
https://riptutorial.com/ 139
class MyModel(models.Model):
number_of_seconds = models.BigIntegerField()
IntegerField
The IntegerField is used to store integer values from -2147483648 to 2147483647 (4 Bytes).
class Food(models.Model):
name = models.CharField(max_length=255)
calorie = models.IntegerField(default=0)
default parameter is not mandatory. But it's useful to set a default value.
PositiveIntegerField
Like an IntegerField, but must be either positive or zero (0). The PositiveIntegerField is used to
store integer values from 0 to 2147483647 (4 Bytes). This can be useful at field which should be
semantically positive. For example if you are recording foods with its calories, it should not be
negative. This field will prevent negative values via its validations.
class Food(models.Model):
name = models.CharField(max_length=255)
calorie = models.PositiveIntegerField(default=0)
default parameter is not mandatory. But it's useful to set a default value.
SmallIntegerField
The SmallIntegerField is used to store integer values from -32768 to 32767 (2 Bytes). This field is
useful for values not are not extremes.
class Place(models.Model):
name = models.CharField(max_length=255)
temperature = models.SmallIntegerField(null=True)
PositiveSmallIntegerField
The SmallIntegerField is used to store integer values from 0to 32767 (2 Bytes). Just like
SmallIntegerField this field is useful for values not going so high and should be semantically
positive. For example it can store age which cannot be negative.
https://riptutorial.com/ 140
from django.db import models
class Staff(models.Model):
first_name = models.CharField(max_length=255)
last_name = models.CharField(max_length=255)
age = models.PositiveSmallIntegerField(null=True)
Besides PositiveSmallIntegerField is useful for choices, this is the Djangoic way of implementing
Enum:
APPLICATION_NEW = 1
APPLICATION_RECEIVED = 2
APPLICATION_APPROVED = 3
APPLICATION_REJECTED = 4
APLICATION_CHOICES = (
(APPLICATION_NEW, _('New')),
(APPLICATION_RECEIVED, _('Received')),
(APPLICATION_APPROVED, _('Approved')),
(APPLICATION_REJECTED, _('Rejected')),
)
class JobApplication(models.Model):
first_name = models.CharField(max_length=255)
last_name = models.CharField(max_length=255)
status = models.PositiveSmallIntegerField(
choices=APLICATION_CHOICES,
default=APPLICATION_NEW
)
...
DecimalField
1. DecimalField.max_digits: The maximum number of digits allowed in the number. Note that
this number must be greater than or equal to decimal_places.
2. DecimalField.decimal_places: The number of decimal places to store with the number.
If you want to store numbers up to 99 with 3 decimal places you need use max_digits=5 and
decimal_places=3:
class Place(models.Model):
name = models.CharField(max_length=255)
atmospheric_pressure = models.DecimalField(max_digits=5, decimal_places=3)
https://riptutorial.com/ 141
BinaryField
This is a specialized field, used to store binary data. It only accepts bytes. Data is base64
serialized upon storage.
class MyModel(models.Model):
my_binary_data = models.BinaryField()
CharField
The CharField is used for storing defined lengths of text. In the example below up to 128
characters of text can be stored in the field. Entering a string longer than this will result in a
validation error being raised.
class MyModel(models.Model):
name = models.CharField(max_length=128, blank=True)
DateTimeField
class MyModel(models.Model):
start_time = models.DateFimeField(null=True, blank=True)
created_on = models.DateTimeField(auto_now_add=True)
updated_on = models.DateTimeField(auto_now=True)
• auto_now_add sets the value of the field to current datetime when the object is created.
• auto_now sets the value of the field to current datetime every time the field is saved.
ForeignKey
ForeignKey field is used to create a many-to-one relationship between models. Not like the most of
other fields requires positional arguments. The following example demonstrates the car and owner
relation:
class Person(models.Model):
GENDER_FEMALE = 'F'
https://riptutorial.com/ 142
GENDER_MALE = 'M'
GENDER_CHOICES = (
(GENDER_FEMALE, 'Female'),
(GENDER_MALE, 'Male'),
)
first_name = models.CharField(max_length=100)
last_name = models.CharField(max_length=100)
gender = models.CharField(max_length=1, choices=GENDER_CHOICES)
age = models.SmallIntegerField()
class Car(model.Model)
owner = models.ForeignKey('Person')
plate = models.CharField(max_length=15)
brand = models.CharField(max_length=50)
model = models.CharField(max_length=50)
color = models.CharField(max_length=50)
The first argument of the field is the class to which the model is related. The second positional
argument is on_delete argument. In the current versions this argument is not required, but it will be
required in Django 2.0. The default functionality of the argument is shown as following:
class Car(model.Model)
owner = models.ForeignKey('Person', on_delete=models.CASCADE)
...
This will cause Car objects to be deleted from the model when its owner deleted from
Person model. This is the default functionality.
class Car(model.Model)
owner = models.ForeignKey('Person', on_delete=models.PROTECT)
...
This will prevents Person objects to be deleted if they are related to at least one Car
object. All of the Car objects which reference a Person object should be deleted first.
And then the Person Object can be deleted.
https://riptutorial.com/ 143
Chapter 39: Models
Introduction
In the basic case, a model is Python class that maps to a single database table. The attributes of
the class map to columns in the table and an instance of the class represents a row in database
table. The models inherit from django.db.models.Model which provides a rich API for adding and
filtering results from the database.
Examples
Creating your first model
Models are typically defined in the models.py file under your application subdirectory. The Model
class of django.db.models module is a good starting class to extend your models from. For
example:
class Book(models.Model):
title = models.CharField(max_length=100)
author = models.ForeignKey('Author', on_delete=models.CASCADE,
related_name='authored_books')
publish_date = models.DateField(null=True, blank=True)
Along with the attributes we define a method __str__ this returns the title of the book which will be
used as its string representation where necessary, rather than the default.
https://riptutorial.com/ 144
After creating a new model or modifying existing models, you will need to generate migrations for
your changes and then apply the migrations to the specified database. This can be done by using
the Django's built-in migrations system. Using the manage.py utility when in the project root
directory:
The above command will create the migration scripts that are necessary under migrations
subdirectory of your application. If you omit the <appname> parameter, all the applications defined in
the INSTALLED_APPS argument of settings.py will be processed. If you find it necessary, you can edit
the migrations.
You can check what migrations are required without actually creating the migration use the --dry-
run option, eg:
The above command will execute the migration scripts generated in the first step and physically
update the database.
If the model of existing database is changed then following command is needed for making
necessary changes.
Django will create the table with name <appname>_<classname> by default. Sometime you don't want
to use it. If you want to change the default name, you can announce the table name by setting the
db_table in the class Meta:
class YourModel(models.Model):
parms = models.CharField()
class Meta:
db_table = "custom_table_name"
If you want to see what SQL code will be executed by a certain migration just run this command:
Django >1.10
The new makemigrations --check option makes the command exit with a non-zero status when
model changes without migrations are detected.
https://riptutorial.com/ 145
See Migrations for more details on migrations.
Many-to-One Relationship
class Author(models.Model):
name = models.CharField(max_length=50)
Most generic option. Can be used anywhere you would like to represent a relationship
Many-to-Many Relationship
class Topping(models.Model):
name = models.CharField(max_length=50)
# One pizza can have many toppings and same topping can be on many pizzas
class Pizza(models.Model):
name = models.CharField(max_length=50)
toppings = models.ManyToManyField(Topping)
Internally this is represented via another table. And ManyToManyField should be put on models that
will be edited on a form. Eg: Appointment will have a ManyToManyField called Customer, Pizza has
Toppings and so on.
class Service(models.Model):
name = models.CharField(max_length=35)
class Client(models.Model):
name = models.CharField(max_length=35)
age = models.IntegerField()
services = models.ManyToManyField(Service, through='Subscription')
class Subscription(models.Model):
client = models.ForeignKey(Client)
service = models.ForeignKey(Service)
subscription_type = models.CharField(max_length=1, choices=SUBSCRIPTION_TYPES)
created_at = models.DateTimeField(default=timezone.now)
This way, we can actually keep more metadata about a relationship between two entities. As can
be seen, a client can be subscribed to several services via several subscription types. The only
difference in this case is that to add new instances to the M2M relation, one cannot use the
shortcut method pizza.toppings.add(topping), instead, a new object of the through class should be
created, Subscription.objects.create(client=client, service=service, subscription_type='p')
https://riptutorial.com/ 146
In other languages through tables are also known as a JoinColumn , Intersection table
or mapping table
One-to-One Relationship
class Employee(models.Model):
name = models.CharField(max_length=50)
age = models.IntegerField()
spouse = models.OneToOneField(Spouse)
class Spouse(models.Model):
name = models.CharField(max_length=50)
Use these fields when you will only ever have a composition relationship between the two models.
Django ORM is a powerful abstraction that lets you store and retrieve data from the database
without writing sql queries yourself.
class Author(models.Model):
name = models.CharField(max_length=50)
class Book(models.Model):
name = models.CharField(max_length=50)
author = models.ForeignKey(Author)
Assuming you've added the above code to a django application and run the migrate command (so
that your database is created). Start the Django shell by
This starts the standard python shell but with relevant Django libraries imported, so that you can
directly focus on the important parts.
Start by importing the models we just defined (I am assuming this is done in a file models.py)
>>> Author.objects.all()
[]
>>> Book.objects.all()
[]
https://riptutorial.com/ 147
>>> hawking = Author(name="Stephen hawking")
>>> hawking.save()
>>> history_of_time = Book(name="history of time", author=hawking)
>>> history_of_time.save()
or use create function to create model objects and save in one line code
>>> Book.objects.all()
[<Book: Book object>]
>>> book = Book.objects.first() #getting the first book object
>>> book.name
u'history of time'
>>> Book.objects.filter(name='nothing')
[]
>>> Author.objects.filter(name__startswith='Ste')
[<Author: Author object>]
To get all the books published by Stephen Hawking (Lookup book by its author)
>>> hawking.book_set.all()
[<Book: Book object>]
_setis the notation used for "Reverse lookups" i.e. while the lookup field is on the Book model, we
can use book_set on an author object to get all his/her books.
At some point in your use of Django, you may find yourself wanting to interact with tables which
have already been created, or with database views. In these cases, you would not want Django to
manage the tables through its migrations. To set this up, you need to add only one variable to your
model's Meta class: managed = False.
Here is an example of how you might create an unmanaged model to interact with a database
view:
class Dummy(models.Model):
something = models.IntegerField()
https://riptutorial.com/ 148
class Meta:
managed = False
Once you have this model created, you can use it as you would any other model:
>>> Dummy.objects.all()
[<Dummy: Dummy object>, <Dummy: Dummy object>, <Dummy: Dummy object>]
>>> Dummy.objects.filter(something=42)
[<Dummy: Dummy object>]
Advanced models
A model can provide a lot more information than just the data about an object. Let's see an
example and break it down into what it is useful for:
@python_2_unicode_compatible
class Book(models.Model):
slug = models.SlugField()
title = models.CharField(max_length=128)
publish_date = models.DateField()
def get_absolute_url(self):
return reverse('library:book', kwargs={'pk':self.pk})
def __str__(self):
return self.title
class Meta:
ordering = ['publish_date', 'title']
Absolute url
The first function that is defined is get_absolute_url. This way, if you have an book, you can get a
link to it without fiddling with the url tag, resolve, attribute and the like. Simply call
https://riptutorial.com/ 149
book.get_absolute_url and you get the right link. As a bonus, your object in the django admin will
gain a button "view on site".
String representation
Have a __str__ method let you use the object when you need to display it. For example, with the
previous method, adding a link to the book in a template is as simple as <a href="{{
book.get_absolute_url }}">{{ book }}</a>. Straight to the point. This method also control what is
displayed in the admin drop-down, for foreign key for example.
The class decorator let you define the method once for both __str__ and __unicode__ on python 2
while causing no issue on python 3. If you expect your app to run on both version, that's the way
to go.
Slug field
The slug field is similar to a char field but accept less symbols. By default, only letters, numbers,
underscores or hyphens. It is useful if you want to identify an object using a nice representation, in
url for example.
Other frequents attributes are verbose_name and verbose_name_plural. By default, they are generated
from the name of the model and should be fine. But the plural form is naive, simply appending an
's' to the singular so you might want to set it explicitly in some case.
Computed Values
Once a model object has been fetched, it becomes a fully realized instance of the class. As such,
any additional methods can be accessed in forms and serializers (like Django Rest Framework).
Using python properties is an elegant way to represent additional values that are not stored in the
database due to varying circumstances.
def expire():
return timezone.now() + timezone.timedelta(days=7)
class Coupon(models.Model):
expiration_date = models.DateField(default=expire)
@property
def is_expired(self):
return timezone.now() > self.expiration_date
https://riptutorial.com/ 150
While most cases you can supplement data with annotations on your querysets, computed values
as model properties are ideal for computations that can not be evaluated simply within the scope
of a query.
Additionally, properties, since they are declared on the python class and not as part of the
schema, are not available for querying against.
# your_app/models.py
class Book(models.Model):
name = models.CharField(max_length=50)
author = models.CharField(max_length=50)
>>> print(himu_book)
<Book: Book object>
<Book: Book object>, the default output, is of no help to us. To fix this, let's add a __str__
method.
@python_2_unicode_compatible
class Book(models.Model):
name = models.CharField(max_length=50)
author = models.CharField(max_length=50)
def __str__(self):
return '{} by {}'.format(self.name, self.author)
Note the python_2_unicode_compatible decorator is needed only if you want your code to be
compatible with python 2. This decorator copies the __str__ method to create a __unicode__
method. Import it from django.utils.encoding.
https://riptutorial.com/ 151
Now if we call the print function the book instance again:
>>> print(himu_book)
Himu Mama by Humayun Ahmed
Much better!
The string representation is also used when the model is used in a ModelForm for ForeignKeyField
and ManyToManyField fields.
Model mixins
In same cases different models could have same fields and same procedures in the product life
cycle. To handle these similarities without having code repetition inheritance could be used.
Instead of inheriting a whole class, mixin design pattern offers us to inherit (or some says include)
some methods and attributes. Let's see an example:
class PostableMixin(models.Model):
class Meta:
abstract=True
sender_name = models.CharField(max_length=128)
sender_address = models.CharField(max_length=255)
receiver_name = models.CharField(max_length=128)
receiver_address = models.CharField(max_length=255)
post_datetime = models.DateTimeField(auto_now_add=True)
delivery_datetime = models.DateTimeField(null=True)
notes = models.TextField(max_length=500)
class Envelope(PostableMixin):
ENVELOPE_COMMERCIAL = 1
ENVELOPE_BOOKLET = 2
ENVELOPE_CATALOG = 3
ENVELOPE_TYPES = (
(ENVELOPE_COMMERCIAL, 'Commercial'),
(ENVELOPE_BOOKLET, 'Booklet'),
(ENVELOPE_CATALOG, 'Catalog'),
)
envelope_type = models.PositiveSmallIntegerField(choices=ENVELOPE_TYPES)
class Package(PostableMixin):
weight = models.DecimalField(max_digits=6, decimal_places=2)
width = models.DecimalField(max_digits=5, decimal_places=2)
height = models.DecimalField(max_digits=5, decimal_places=2)
depth = models.DecimalField(max_digits=5, decimal_places=2)
To turn a model into an abstract class, you will need to mention abstract=True in its inner Meta
class. Django does not create any tables for abstract models in the database. However for the
models Envelope and Package, corresponding tables would be created in the database.
Furthermore the fields some model methods will be needed at more than one models. Thus these
methods could be added to mixins to prevent code repetition. For example if we create a method
https://riptutorial.com/ 152
to set delivery date to PostableMixin it will be accesible from both of its children:
class PostableMixin(models.Model):
class Meta:
abstract=True
...
...
self.delivery_datetime = dt
self.save()
A model by default will use an auto incrementing (integer) primary key. This will give you a
sequence of keys 1, 2, 3.
Different primary key types can be set on a model with a small alterations to the model.
A UUID is a universally unique identifier, this is 32 character random identifier which can be used
as an ID. This is a good option to use when you do not want sequential ID's assigned to records in
your database.When used on PostgreSQL, this stores in a uuid datatype, otherwise in a char(32).
import uuid
from django.db import models
class ModelUsingUUID(models.Model):
id = models.UUIDField(primary_key=True, default=uuid.uuid4, editable=False)
Inheritance
The multi tables inheritance will create one table for the common fields and one per child model
https://riptutorial.com/ 153
example:
class Place(models.Model):
name = models.CharField(max_length=50)
address = models.CharField(max_length=80)
class Restaurant(Place):
serves_hot_dogs = models.BooleanField(default=False)
serves_pizza = models.BooleanField(default=False)
will create 2 tables, one for Place and one for Restaurant with a hidden OneToOne field to Place for the
common fields.
note that this will need an extra query to the places tables every time you fetch an Restaurant
Object.
https://riptutorial.com/ 154
Chapter 40: Project Structure
Examples
Repository > Project > Site/Conf
For a Django project with requirements and deployment tools under source control. This example
builds upon concepts from the Two Scoops of Django. They have published a template:
repository/
docs/
.gitignore
project/
apps/
blog/
migrations/
static/ #( optional )
blog/
some.css
templates/ #( optional )
blog/
some.html
models.py
tests.py
admin.py
apps.py #( django 1.9 and later )
views.py
accounts/
#... ( same as blog )
search/
#... ( same as blog )
conf/
settings/
local.py
development.py
production.py
wsgi
urls.py
static/
templates/
deploy/
fabfile.py
requirements/
base.txt
local.txt
README
AUTHORS
LICENSE
Here apps and conf folders contain user created applications and core configuration folder for the
project respectively.
staticand templates folders in project directory contains static files and html markup files
respectively that are being used globally throughout the project.
https://riptutorial.com/ 155
And all app folders blog, accounts and search may also ( mostly ) contain static and templates
folders.
static and templates folder in the apps may should also contain a folder with the name of app ex.
blog this is a convention used to prevent namespace pollution, so we reference the files like
/blog/base.html rather than /base.html which provides more clarity about the file we are referencing
and preserves namespace.
Example: templates folder inside blog and search applications contains a file with name base.html,
and when referencing the file in views your application gets confused in which file to render.
(Project Structure)
.../project/
apps/
blog/
templates/
base.html
search/
templates/
base.html
(blog/views.py)
def some_func(request):
return render(request, "/base.html")
(search/views.py)
def some_func(request):
return render(request, "/base.html")
(Project Structure)
.../project/
apps/
blog/
templates/
blog/
base.html
search/
templates/
search/
base.html
(blog/views.py)
def some_func(request):
return render(request, "/blog/base.html")
(search/views.py)
def some_func(request):
return render(request, "/search/base.html")
https://riptutorial.com/ 156
Chapter 41: Querysets
Introduction
A Queryset is fundamentally a list of objects derived from a Model, by a compilation of database
queries.
Examples
Simple queries on a standalone model
Here is a simple model that we will use to run a few test queries:
class MyModel(models.Model):
name = models.CharField(max_length=10)
model_num = models.IntegerField()
flag = models.NullBooleanField(default=False)
MyModel.objects.get(pk=4)
MyModel.objects.all()
MyModel.objects.filter(flag=True)
MyModel.objects.filter(model_num__gt=25)
Model objects with the name of "Cheap Item" and flag set to False:
MyModel.objects.filter(name__contains="ch")
https://riptutorial.com/ 157
MyModel.objects.filter(name__icontains="ch")
class MyModel(models.Model):
name = models.CharField(max_length=10)
model_num = models.IntegerField()
flag = models.NullBooleanField(default=False)
We can use Q objects to create AND , OR conditions in your lookup query. For example, say we want
all objects that have flag=True OR model_num>15.
The above translates to WHERE flag=True OR model_num > 15 similarly for an AND you would do.
Qobjects also allow us to make NOT queries with the use of ~. Let's say we wanted to get all
objects that have flag=False AND model_num!=15, we would do:
If using Q objects and "normal" parameters in filter(), then the Q objects must come first. The
following query searches for models with (flag set to True or a model number greater than 15) and
a name that starts with "H".
Note: Q objects can be used with any lookup function that takes keyword arguments such as
filter, exclude, get. Make sure that when you use with get that you will only return one object or
the MultipleObjectsReturned exception will be raised.
Problem
# models.py:
class Library(models.Model):
name = models.CharField(max_length=100)
books = models.ManyToManyField(Book)
class Book(models.Model):
https://riptutorial.com/ 158
title = models.CharField(max_length=100)
# views.py
def myview(request):
# Query the database.
libraries = Library.objects.all()
Solution
Use prefetch_related on ManyToManyField if you know that you will need to access later a field which
is a ManyToManyField field.
# views.py
def myview(request):
# Query the database.
libraries = Library.objects.prefetch_related('books').all()
# models.py:
class User(models.Model):
name = models.CharField(max_length=100)
class Library(models.Model):
name = models.CharField(max_length=100)
books = models.ManyToManyField(Book)
class Book(models.Model):
title = models.CharField(max_length=100)
readers = models.ManyToManyField(User)
# views.py
def myview(request):
# Query the database.
libraries = Library.objects.prefetch_related('books', 'books__readers').all()
# Does not query the database again, since `books` and `readers` is pre-populated
https://riptutorial.com/ 159
for library in libraries:
for book in library.books.all():
for user in book.readers.all():
user.name
# ...
However, once the queryset has been executed, the data fetched can't be altered without hitting
again the database. The following would execute extra queries for example:
# views.py
def myview(request):
# Query the database.
libraries = Library.objects.prefetch_related('books').all()
for library in libraries:
for book in library.books.filter(title__contains="Django"):
print(book.name)
The following can be optimized using a Prefetch object, introduced in Django 1.7:
Problem
Django querysets are evaluated in a lazy fashion. For example:
# models.py:
class Author(models.Model):
name = models.CharField(max_length=100)
class Book(models.Model):
author = models.ForeignKey(Author, related_name='books')
title = models.CharField(max_length=100)
# views.py
def myview(request):
# Query the database
books = Book.objects.all()
https://riptutorial.com/ 160
# if there is 100 books, there will have 100 queries plus the initial query
book.author
# ...
The code above causes django to query the database for the author of each book. This is
inefficient, and it is better to only have a single query.
Solution
Use select_related on ForeignKey if you know that you will need to later access a ForeignKey field.
# views.py
def myview(request):
# Query the database.
books = Books.objects.select_related('author').all()
# total : 1 query
# models.py:
class AuthorProfile(models.Model):
city = models.CharField(max_length=100)
class Author(models.Model):
name = models.CharField(max_length=100)
profile = models.OneToOneField(AuthorProfile)
class Book(models.Model):
author = models.ForeignKey(Author, related_name='books')
title = models.CharField(max_length=100)
# views.py
def myview(request):
books = Book.objects.select_related('author')\
.select_related('author__profile').all()
# total : 1 query
https://riptutorial.com/ 161
The query attribute on queryset gives you SQL equivalent syntax for your query.
Warning:
This output should only be used for debugging purposes. The generated query is not
backend-specific. As such, the parameters aren't quoted properly, leaving it vulnerable
to SQL injection, and the query may not even be executable on your database
backend.
MyModel.objects.first()
MyModel.objects.last()
MyModel.objects.filter(name='simple').first()
MyModel.objects.filter(name='simple').last()
An F() object represents the value of a model field or annotated column. It makes it
possible to refer to model field values and perform database operations using them
without actually having to pull them out of the database into Python memory. - F()
expressions
It is appropriate to use F() objects whenever you need to reference another field's value in your
query. By itself, F() objects do not mean anything, and they cannot and should not be called
outside of a queryset. They are used to reference a field's value on the same queryset.
SomeModel(models.Model):
...
some_field = models.IntegerField()
https://riptutorial.com/ 162
... a user can query objects where the some_field value is twice its id by referencing the id field's
value while filtering using F() like this:
SomeModel.objects.filter(some_field=F('id') * 2)
F('id')simply references the id value for that same instance. Django uses it to create
corresponding SQL statement. In this case something closely resembling this:
Without F() expressions this would be accomplished with either raw SQL or filtering in Python
(which reduces the performance especially when there are lots of objects).
References:
Note: This example posted came from the answer listed above with consent from TinyInstance.
https://riptutorial.com/ 163
Chapter 42: RangeFields - a group of
PostgreSQL specific fields
Syntax
• from django.contrib.postgres.fields import *RangeField
• IntegerRangeField(**options)
• BigIntegerRangeField(**options)
• FloatRangeField(**options)
• DateTimeRangeField(**options)
• DateRangeField(**options)
Examples
Including numeric range fields in your model
There are three kinds of numeric RangeFields in Python. IntegerField, BigIntegerField, and
FloatField. They convert to psycopg2 NumericRanges, but accept input as native Python tuples. The
lower bound is included and the upper bound is excluded.
class Book(models.Model):
name = CharField(max_length=200)
ratings_range = IntegerRange()
It's simpler and easier to input values as a Python tuple instead of a NumericRange.
Using contains
This query selects all books with any rating less than three.
https://riptutorial.com/ 164
bad_books = Books.objects.filter(ratings_range__contains=(1, 3))
Using contained_by
This query gets all books with ratings greater than or equal to zero and less than six.
Using overlap
Appointment.objects.filter(time_span__overlap=(6, 10))
This query selects all books with any rating greater than or equal to four.
Ranges operations
# Events which, at least partially, take place during the selected period.
Event.objects.filter(timeslot__overlap=period)
https://riptutorial.com/ 165
Chapter 43: Running Celery with Supervisor
Examples
Celery Configuration
CELERY
1. Installation - pip install django-celery
2. Add
- src/
- bin/celery_worker_start # will be explained later on
- logs/celery_worker.log
- stack/__init __.py
- stack/celery.py
- stack/settings.py
- stack/urls.py
- manage.py
@shared_task()
def add(x, y):
print("x*y={}".format(x*y))
https://riptutorial.com/ 166
Running Supervisor
1. Create a script to start celery worker. Insert your script within your app. For example:
stack/bin/celery_worker_start
#!/bin/bash
PROJECT_DIR=/home/stackoverflow/apps/proj/proj/
ENV_DIR=/home/stackoverflow/apps/proj/env/
if [ -d "${ENV_DIR}" ]
then
. "${ENV_DIR}bin/activate"
fi
4. Add config file for your supervisor in order to start you celery. Place it in
/etc/supervisor/conf.d/stack_supervisor.conf
[program:stack-celery-worker]
command = /home/stackoverflow/apps/stack/src/bin/celery_worker_start
user = polsha
stdout_logfile = /home/stackoverflow/apps/stack/src/logs/celery_worker.log
redirect_stderr = true
environment = LANG = en_US.UTF-8,LC_ALL = en_US.UTF-8
numprocs = 1
autostart = true
autorestart = true
startsecs = 10
stopwaitsecs = 600
priority = 998
6. Basic commands
https://riptutorial.com/ 167
sudo supervisorctl status stack-celery-worker
stack-celery-worker RUNNING pid 18020, uptime 0:00:50
sudo supervisorctl stop stack-celery-worker
stack-celery-worker: stopped
sudo supervisorctl start stack-celery-worker
stack-celery-worker: started
sudo supervisorctl restart stack-celery-worker
stack-celery-worker: stopped
stack-celery-worker: started
Celery requires a broker to handle message-passing. We use RabbitMQ because it’s easy to
setup and it is well supported.
Once the installation is complete, create user, add a virtual host and set permissions.
sudo rabbitmq-server
In your Django settings.py file, your broker URL would then look something like
BROKER_URL = 'amqp://myuser:mypassword@localhost:5672/myvhost'
This command start a Celery worker to run any tasks defined in your django app.
Supervisor is a Python program that allows you to control and keep running any unix processes. It
can also restart crashed processes. We use it to make sure Celery workers are always running.
https://riptutorial.com/ 168
sudo apt-get install supervisor
[program:your_proj_celery]
command=/home/your_user/your_proj/.venv/bin/celery --app=your_proj.celery:app worker -l info
directory=/home/your_user/your_proj
numprocs=1
stdout_logfile=/home/your_user/your_proj/logs/celery-worker.log
stderr_logfile=/home/your_user/your_proj/logs/low-worker.log
autostart=true
autorestart=true
startsecs=10
Once our configuration file is created and saved, we can inform Supervisor of our new program
through the supervisorctl command. First we tell Supervisor to look for any new or changed
program configurations in the /etc/supervisor/conf.d directory with:
Once our programs are running, there will undoubtedly be a time when we want to stop, restart, or
see their status.
https://riptutorial.com/ 169
Chapter 44: Security
Examples
Cross Site Scripting (XSS) protection
XSS attacks consist in injecting HTML (or JS) code in a page. See What is cross site scripting for
more information.
To prevent from this attack, by default, Django escapes strings passed through a template
variable.
context = {
'class_name': 'large" style="font-size:4000px',
'paragraph': (
"<script type=\"text/javascript\">alert('hello world!');</script>"),
}
If you have variables containing HTML that you trust and actually want to render, you must
explicitly say it is safe:
If you have a block containing multiple variables that are all safe, you can locally disable auto
escaping:
{% autoescape off %}
<p class="{{ class_name }}">{{ paragraph }}</p>
{% endautoescape %}
<!-- Will be rendered as: -->
<p class="large" style="font-size: 4000px"><script>alert('hello world!');</script></p>
context = {
'class_name': 'large" style="font-size:4000px',
'paragraph': mark_safe(
"<script type=\"text/javascript\">alert('hello world!');</script>"),
https://riptutorial.com/ 170
}
Some Django utilities such as format_html already return strings marked as safe:
context = {
'var': format_html('<b>{}</b> {}', 'hello', '<i>world!</i>'),
}
Clickjacking protection
# settings.py
MIDDLEWARE_CLASSES = [
...
'django.middleware.clickjacking.XFrameOptionsMiddleware',
...
]
This middleware sets the 'X-Frame-Options' header to your all your responses, unless explicitly
exempted or already set (not overridden if already set in the response). By default it is set to
"SAMEORIGIN". To change this, use the X_FRAME_OPTIONS setting:
X_FRAME_OPTIONS = 'DENY'
@xframe_options_sameorigin
def my_view(request, *args, **kwargs):
"""Forces 'X-Frame-Options: SAMEORIGIN'."""
https://riptutorial.com/ 171
return HttpResponse(...)
@method_decorator(xframe_options_deny, name='dispatch')
class MyView(View):
"""Forces 'X-Frame-Options: DENY'."""
@xframe_options_exempt_m
class MyView(View):
"""Does not set 'X-Frame-Options' header when passing through the
XFrameOptionsMiddleware.
"""
Cross-site request forgery, also known as one-click attack or session riding and
abbreviated as CSRF or XSRF, is a type of malicious exploit of a website where
unauthorized commands are transmitted from a user that the website trusts. Learn
more
To enable CSRF protection, add the CsrfViewMiddleware to your middleware classes. This
middleware is enabled by default.
# settings.py
MIDDLEWARE_CLASSES = [
...
'django.middleware.csrf.CsrfViewMiddleware',
...
]
This middleware will set a token in a cookie on the outgoing response. Whenever an incoming
request uses an unsafe method (any method except GET, HEAD, OPTIONS and TRACE), the cookie must
match a token that is send as the csrfmiddlewaretoken form data or as the X-CsrfToken header. This
ensures that the client initiating the request is also the owner of the cookie and, by extension, the
(authenticated) session.
If a request is made over HTTPS, strict referrer checking is enabled. If the HTTP_REFERER header does
not match the host of the current request or a host in CSRF_TRUSTED_ORIGINS (new in 1.9), the request
is denied.
Forms that use the POST method should include the CSRF token in the template. The {% csrf_token
%} template tag will output a hidden field, and will ensure that the cookie is set on the response:
<form method='POST'>
{% csrf_token %}
...
</form>
Individual views that are not vulnerable to CSRF attacks can be made exempt using the
@csrf_exempt decorator:
https://riptutorial.com/ 172
@csrf_exempt
def my_view(request, *args, **kwargs):
"""Allows unsafe methods without CSRF protection"""
return HttpResponse(...)
Although not recommended, you can disable the CsrfViewMiddleware if many of your views are not
vulnerable to CSRF attacks. In this case you can use the @csrf_protect decorator to protect
individual views:
@csrf_protect
def my_view(request, *args, **kwargs):
"""This view is protected against CSRF attacks if the middleware is disabled"""
return HttpResponse(...)
https://riptutorial.com/ 173
Chapter 45: Settings
Examples
Setting the timezone
You can set the timezone that will be used by Django in the settings.py file. Examples:
When running in a Windows environment this must be set to the same as your system time zone
.
USE_TZ = False
Django best practices call for using UTC for storing information in the database:
Even if your website is available in only one time zone, it’s still good practice to store
data in UTC in your database. The main reason is Daylight Saving Time (DST). Many
countries have a system of DST, where clocks are moved forward in spring and
backward in autumn. If you’re working in local time, you’re likely to encounter errors
twice a year, when the transitions happen.
https://docs.djangoproject.com/en/stable/topics/i18n/timezones/
Accessing settings
Once you've got all your settings, you'll want to use them in your code. To do so, add the following
import to your file:
You may then access your settings as attributes of the settings module, for example:
if not settings.DEBUG:
email_user(user, message)
It's a bad idea to hard code paths in your application. One should always use relative urls so that
https://riptutorial.com/ 174
your code can work seamlessly across different machines. The best way to set this up is to define
a variable like this
import os
BASE_DIR = os.path.dirname(os.path.dirname(__file__))
Then use this BASE_DIR variable to define all your other settings.
And so on. This ensures that you can port your code across different machines without any
worries.
However, os.path is a bit verbose. For instance if your settings module is project.settings.dev, you
will have to write:
BASE_DIR = os.path.dirname(os.path.dirname(os.path.dirname(__file__)))
An alternative is to use the unipath module (which you can install with pip install unipath).
TEMPLATE_PATH = BASE_DIR.child('templates')
STATICFILES_DIRS = [
BASE_DIR.child('static'),
]
Using environment variables is a widely used way to setting an app's config depending on it
environment, as stated in The Twelve-Factor App.
As configurations are likely to change between deployment environments, this is a very interesting
way to modify the configuration without having to dig in the app's source code, as well as keeping
secrets outside the application files and source code repository.
In Django, the main settings are located as settings.py in your project's folder. As it is a simple
Python file, you can use Python's os module from the standard library to access the environment
(and even have appropriate defaults).
settings.py
import os
https://riptutorial.com/ 175
SECRET_KEY = os.environ.get('APP_SECRET_KEY', 'unsafe-secret-key')
DATABASES = {
'default': {
'ENGINE': os.environ.get('APP_DB_ENGINE', 'django.db.backends.sqlite3'),
'NAME': os.environ.get('DB_NAME', 'db.sqlite'),
'USER': os.environ.get('DB_USER', ''),
'PASSWORD': os.environ.get('DB_PASSWORD', ''),
'HOST': os.environ.get('DB_HOST', None),
'PORT': os.environ.get('DB_PORT', None),
'CONN_MAX_AGE': 600,
}
}
With Django you can change your database technology, so that you can use sqlite3 on your
development machine (and that should be a sane default for committing to a source control
system). Although this is possible it is not advisable:
Backing services, such as the app’s database, queueing system, or cache, is one area
where dev/prod parity is important. (The Twelve-Factor App - Dev/prod parity)
For using a DATABASE_URL parameter for database connection, please take a look at the
related example.
Django default project layout creates a single settings.py. This is often useful to split it like this:
myprojectroot/
myproject/
__init__.py
settings/
__init__.py
base.py
dev.py
prod.py
tests.py
This enables you to work with different settings according to whether you are in development,
production, tests or whatever.
When moving from the default layout to this layout, the original settings.py becomes
settings/base.py. When every other submodule will "subclass" settings/base.py by starting with
from .base import *. For instance, here is what settings/dev.py may look like:
DEBUG = True
https://riptutorial.com/ 176
INSTALLED_APPS.extend([
'debug_toolbar',
])
EMAIL_BACKEND = 'django.core.mail.backends.console.EmailBackend'
INTERNAL_IPS = ['192.168.0.51', '192.168.0.69']
Alternative #1
For django-admin commands to work properly, you will have to set DJANGO_SETTINGS_MODULE
environment variable (which defaults to myproject.settings). In development, you will set it to
myproject.settings.dev. In production, you will set it to myproject.settings.prod. If you use a
virtualenv, best is to set it in your postactivate script:
#!/bin/sh
export PYTHONPATH="/home/me/django_projects/myproject:$VIRTUAL_ENV/lib/python3.4"
export DJANGO_SETTINGS_MODULE="myproject.settings.dev"
If you want to use a settings module that is not pointed by DJANGO_SETTINGS_MODULE for one time, you
can use the --settings option of django-admin:
Alternative #2
If you want to leave DJANGO_SETTINGS_MODULE at its default configuration (myproject.settings), you can
simply tell the settings module which configuration to load by placing the import in your
__init__.py file.
In the above example, the same result could be achieved by having an __init__.py set to:
Each requirements files should match the name of a settings files. Read Using multiple settings for
more information.
Structure
djangoproject
├── config
│ ├── __init__.py
│ ├── requirements
│ │ ├── base.txt
│ │ ├── dev.txt
https://riptutorial.com/ 177
│ │ ├── test.txt
│ │ └── prod.txt
│ └── settings
└── manage.py
# base.txt
Django==1.8.0
psycopg2==2.6.1
jinja2==2.8
And in all other files, include base dependencies with -r base.txt, and add specific dependencies
needed for the current environment.
# dev.txt
-r base.txt # includes all dependencies in `base.txt`
# test.txt
-r base.txt # includes all dependencies in `base.txt`
# prod.txt
-r base.txt # includes all dependencies in `base.txt`
When using a VCS such as Git or SVN, there are some secret data that must never be versioned
(whether the repository is public or private).
Among those data, you find the SECRET_KEY setting and the database password.
A common practice to hide these settings from version control is to create a file secrets.json at the
root of your project (thanks "Two Scoops of Django" for the idea):
{
"SECRET_KEY": "N4HE:AMk:.Ader5354DR453TH8SHTQr",
"DB_PASSWORD": "v3ry53cr3t"
}
https://riptutorial.com/ 178
And add it to your ignore list (.gitignore for git):
*.py[co]
*.sw[po]
*~
/secrets.json
import json
import os
from django.core.exceptions import ImproperlyConfigured
SECRET_KEY = get_secret('SECRET_KEY')
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.postgres',
'NAME': 'db_name',
'USER': 'username',
'PASSWORD': get_secret('DB_PASSWORD'),
},
}
Credits: Two Scoops of Django: Best Practices for Django 1.8, by Daniel Roy Greenfeld and
Audrey RoyGreenfeld. Copyright 2015 Two Scoops Press (ISBN 978-0981467344)
In PaaS sites such as Heroku, it is usual to receive the database information as a single URL
environment variable, instead of several parameters (host, port, user, password...).
Usage:
import dj_database_url
if os.environ.get('DATABASE_URL'):
DATABASES['default'] =
https://riptutorial.com/ 179
dj_database_url.config(default=os.environ['DATABASE_URL'])
https://riptutorial.com/ 180
Chapter 46: Signals
Parameters
UserProfile() Class The UserProfile class extends the Django default User Model.
Remarks
Now, the details.
Django signals is a way to inform your app of certain tasks (such as a model pre- or post-save or
delete) when it takes place.
These signals allow you to perform actions of your choice immediately that signal is released.
For instance, anytime a new Django User is created, the User Model releases a signal, with
associating params such as sender=User allowing you to specifically target your listening of signals
to a specific activity that happens, in this case, a new user creation.
In the above example, the intention is to have a UserProfile object created, immediately after a
User object is created. Therefore, by listening to a post_save signal from the User model (the
default Django User Model) specifically, we create a UserProfile object just after a new User is
created.
The Django Documentation provides extensive documentation on all the possible signals available
.
However, the above example is to explain in practical terms a typical use case when using Signals
can be a useful addition.
"With great power, comes great responsibility". It can be tempting to having signals scattered
across your entire app or project just because they're awesome. Well, Don't. Because they're cool
doesn't make them the go-to solution for every simple situation that comes to mind.
Signals are great for, as usual, not everything. Login/Logouts, signals are great. Key models
releasing signs, like the User Model, if fine.
Creating signals for each and every model in your app can get overwhelming at a point, and
defeat the whole idea of the sparring use of Django Signals.
https://riptutorial.com/ 181
• The signal relates to one particular model and can be moved into one of that model’s
methods, possibly called by save().
• The signal can be replaced with a custom model manager method.
• The signal relates to a particular view and can be moved into that view
• Your signal receiver needs to make changes to more than one model.
• You want to dispatch the same signal from multiple apps and have them handled the same
way by a common receiver.
• You want to invalidate a cache after a model save.
• You have an unusual scenario that needs a callback, and there’s no other way to handle it
besides using a signal. For example, you want to trigger something based on the save() or
init() of a third-party app's model. You can't modify the third-party code and extending it
might be impossible, so a signal provides a trigger for a callback.
Examples
Extending User Profile Example
This example is a snippet taken from the Extending Django User Profile like a Pro
class UserProfile(models.Model):
user = models.OneToOneField(User, related_name='user')
website = models.URLField(default='', blank=True)
bio = models.TextField(default='', blank=True)
class UserProfile(models.Model):
user = models.OneToOneField(User, related_name='user')
website = models.URLField(default='', blank=True)
bio = models.TextField(default='', blank=True)
@receiver(post_save, sender=UserProfile)
def post_save_user(sender, **kwargs):
https://riptutorial.com/ 182
user = kwargs.get('instance')
if kwargs.get('created'):
...
By utilizing the pre_save we can determine if a save action on our database was about updating an
existing object or creating a new one.
In order to achieve this you can check the state of the model object:
@receiver(pre_save, sender=User)
def pre_save_user(sender, instance, **kwargs):
if not instance._state.adding:
print ('this is an update')
else:
print ('this is an insert')
Now every time a save action takes place, the pre_save signal will run and will print:
Note that this method does not require any additional database queries.
Django's signals are restricted to precise class signatures upon registration, and thus subclassed
models are not immediately registered onto the same signal.
class Event(models.Model):
user = models.ForeignKey(User)
class StatusChange(Event):
...
class Comment(Event):
...
if not raw:
msg_factory = MessageFactory(instance.id)
msg_factory.on_activity(str(instance))
post_save.connect(send_activity_notification, Event)
https://riptutorial.com/ 183
With extended models, you must manually attach the signal onto each subclass else they won't be
effected.
post_save.connect(send_activity_notification, StatusChange)
post_save.connect(send_activity_notification, Comment)
With Python 3.6, you can leverage some additional class methods build into classes to automate
this binding.
class Event(models.Model):
@classmethod
def __init_subclass__(cls, **kwargs):
super().__init_subclass__(**kwargs)
post_save.connect(send_activity_notification, cls)
https://riptutorial.com/ 184
Chapter 47: Template Tags and Filters
Examples
Custom Filters
Filters allows you to apply a function to a variable. This function may take 0 or 1 argument. Here is
the syntax:
{{ variable|filter_name }}
{{ variable|filter_name:argument }}
{{ variable|filter_name:argument|another_filter }}
If translated to python the above line would give something like this:
print(another_filter(filter_name(variable, argument)))
In this example, we will write a custom filter verbose_name that applies to a Model (instance or class)
or a QuerySet. It will return the verbose name of a model, or its verbose name plural if the
argument is set to True.
@register.filter
def verbose_name(model, plural=False):
"""Return the verbose name of a model.
`model` can be either:
- a Model class
- a Model instance
- a QuerySet
- any object refering to a model through a `model` attribute.
Usage:
- Get the verbose name of an object
{{ object|verbose_name }}
- Get the plural verbose name of an object from a QuerySet
{{ objects_list|verbose_name:True }}
"""
if not hasattr(model, '_meta'):
# handle the case of a QuerySet (among others)
model = model.model
opts = model._meta
if plural:
return opts.verbose_name_plural
else:
return opts.verbose_name
Simple tags
https://riptutorial.com/ 185
The simplest way of defining a custom template tag is to use a simple_tag. These are very
straightforward to setup. The function name will be the tag name (though you can override it), and
arguments will be tokens ("words" separated by spaces, except spaces enclosed between
quotes). It even supports keyword arguments.
HELLO;hello world;bar:World;foo:True<br/>
HELLO;hello world;bar:World;foo:True<br/>
HELLO;hello world;bar:World;foo:True<br/>
@register.simple_tag
def useless(repeat, *args, **kwargs):
output = ';'.join(args + ['{}:{}'.format(*item) for item in kwargs.items()])
outputs = [output] * repeat
return format_html_join('\n', '{}<br/>', ((e,) for e in outputs))
format_html_join allows to mark <br/> as safe HTML, but not the content of outputs.
Sometimes what you want to do is just too complex for a filter or a simple_tag. Fow this you will
need to create a compilation function and a renderer.
In this example we will create a template tag verbose_name with the following syntax:
Example Description
https://riptutorial.com/ 186
Example Description
The reason why we can't do this with a simple tag is that plural and capfirst are neither variables
nor strings, they are "keywords". We could obviously decide to pass them as strings 'plural' and
'capfirst', but it may conflict with fields with these names. Would {% verbose_name obj 'plural' %}
mean "verbose name plural of obj" or "verbose name of obj.plural"?
@register.tag(name='verbose_name')
def do_verbose_name(parser, token):
"""
- parser: the Parser object. We will use it to parse tokens into
nodes such as variables, strings, ...
- token: the Token object. We will use it to iterate each token
of the template tag.
"""
# Split tokens within spaces (except spaces inside quotes)
tokens = token.split_contents()
tag_name = tokens[0]
try:
# each token is a string so we need to parse it to get the actual
# variable instead of the variable name as a string.
model = parser.compile_filter(tokens[1])
except IndexError:
raise TemplateSyntaxError(
"'{}' tag requires at least 1 argument.".format(tag_name))
field_name = None
flags = {
'plural': False,
'capfirst': False,
}
bits = tokens[2:]
for bit in bits:
if bit in flags.keys():
# here we don't need `parser.compile_filter` because we expect
# 'plural' and 'capfirst' flags to be actual strings.
if flags[bit]:
raise TemplateSyntaxError(
"'{}' tag only accept one occurrence of '{}' flag".format(
tag_name, bit)
)
flags[bit] = True
continue
if field_name:
raise TemplateSyntaxError((
"'{}' tag only accept one field name at most. {} is the second "
"field name encountered."
).format(tag_name, bit)
field_name = parser.compile_filter(bit)
https://riptutorial.com/ 187
# VerboseNameNode is our renderer which code is given right below
return VerboseNameNode(model, field_name, **flags)
class VerboseNameNode(Node):
def get_field_verbose_name(self):
if self.plural:
raise ValueError("Plural is not supported for fields verbose name.")
return self.model._meta.get_field(self.field_name).verbose_name
def get_model_verbose_name(self):
if self.plural:
return self.model._meta.verbose_name_plural
else:
return self.model._meta.verbose_name
https://riptutorial.com/ 188
Chapter 48: Templating
Examples
Variables
Variables you have provided in your view context can be accessed using double-brace notation:
In your views.py:
class UserView(TemplateView):
""" Supply the request user object to the template """
template_name = "user.html"
In user.html:
{% if user.is_authenticated %}
{% for item in menu %}
<li><a href="{{ item.url }}">{{ item.name }}</a></li>
{% endfor %}
{% else %}
<li><a href="{% url 'login' %}">Login</a>
{% endif %}
URLs are accessed using {% url 'name' %} format, where the names correspond to names in your
urls.py.
https://riptutorial.com/ 189
Templating in Class Based Views
In your views.py:
class ItemView(TemplateView):
template_name = "item.html"
def items(self):
""" Get all Items """
return Item.objects.all()
def certain_items(self):
""" Get certain Items """
return Item.objects.filter(model_field="certain")
def categories(self):
""" Get categories related to this Item """
return Item.objects.get(slug=self.kwargs['slug']).categories.all()
def view(request):
return render(request, "template.html")
https://riptutorial.com/ 190
from django.shortcuts import render
def view(request):
context = {"var1": True, "var2": "foo"}
return render(request, "template.html", context=context)
<html>
{% if var1 %}
<h1>{{ var2 }}</h1>
{% endif %}
</html>
Template filters
The Django template system has built-in tags and filters, which are functions inside template to
render content in a specific way. Multiple filters can be specified with pipes and filters can have
arguments, just as in variable syntax.
To add your own template filters, create a folder named templatetags inside your app folder. Then
add a __init__.py, and the file your file that will contain the filters:
#/myapp/templatetags/filters.py
from django import template
register = template.Library()
@register.filter(name='tostring')
def to_string(value):
return str(value)
#templates/mytemplate.html
{% load filters %}
{% if customer_id|tostring = customer %} Welcome back {% endif%}
Tricks
Even though the filters seem simple at first, it allows to do some nifty things:
https://riptutorial.com/ 191
{% for x in ""|ljust:"20" %}Hello World!{% endfor %} # Hello World!Hello World!Hel...
{{ user.name.split|join:"_" }} ## replaces whitespace with '_'
When an object is exposed to the template context, its arguments-less methods are available. This
is useful when these functions are "getters". But it can be hazardeous if these methods alter some
data or have some side effects. Eventhough you likely trust the template writer, he may not be
aware of a function's side effects or think call the wrong attribute by mistake.
class Foobar(models.Model):
points_credit = models.IntegerField()
This will increment the number of points each time the template is called. And you may not even
notice it.
To prevent this, you must set the alters_data attribute to True to methods that have side effects.
This will make it impossible to call them from a template.
summary
• {% extends %}: this declares the template given as an argument as the current template's
parent. Usage: {% extends 'parent_template.html' %}.
• {% block %}{% endblock %}: This is used to define sections in your templates, so that if
another template extends this one, it'll be able to replace whatever html code has been
https://riptutorial.com/ 192
written inside of it. Blocks are identified by their name. Usage: {% block content %}
<html_code> {% endblock %}.
• {% include %}: this will insert a template within the current one. Be aware that the included
template will receive the request's context, and you can give it custom variables too. Basic
usage: {% include 'template_name.html' %}, usage with variables: {% include
'template_name.html' with variable='value' variable2=8 %}
Guide
Suppose you are building up your front end side code with having common layouts for all code
and you do not want to repeat the code for every template. Django gives you in built tags for doing
so.
Suppose we have one blog website having 3 templates which share the same layout:
project_directory
..
templates
front-page.html
blogs.html
blog-detail.html
<html>
<head>
</head>
<body>
{% block content %}
{% endblock %}
</body>
</html>
{% extends 'base.html' %}
{% block content %}
# write your blog related code here
{% endblock %}
Here we extended the base layout so its HTML layout is now available in the blog.html file.The
concept of { % block %} is template inheritance which allows you to build a base “skeleton”
template that contains all the common elements of your site and defines blocks that child
templates can override.
3 ) Now suppose all of your 3 templates also having same HTML div which defines some popular
posts.Instead of being written the 3 times create one new template posts.html.
https://riptutorial.com/ 193
blog.html
{% extends 'base.html' %}
{% block content %}
# write your blog related code here
{% include 'posts.html' %} # includes posts.html in blog.html file without passing any
data
<!-- or -->
{% include 'posts.html' with posts=postdata %} # includes posts.html in blog.html file
with passing posts data which is context of view function returns.
{% endblock %}
https://riptutorial.com/ 194
Chapter 49: Timezones
Introduction
Timezones are often a hassle for developers. Django offers some great utilities at your disposal to
make timezones easy to work with.
Even if your project is operating in a single time zone, it is still good practice to store data as UTC
in your database to handle cases of daylight savings. If you are operating on multiple timezones
then storing time data as UTC is a must.
Examples
Enable Time Zone Support
First is first, ensure that USE_TZ = True in your settings.py file. Also set a default time zone value to
TIME_ZONE such as TIME_ZONE='UTC'. View a complete list of timezones here.
If USE_TZ is False, TIME_ZONE will be the time zone that Django will use to store all datetimes. When
USE_TZ is enabled, TIME_ZONE is the default time zone that Django will use to display datetimes in
templates and to interpret datetimes entered in forms.
With time zone support enabled, django will store datetime data in the database as the time zone
UTC
Python's datetime.datetime objects have a tzinfo attribute that is used to store time zone
information. When the attribute is set the object is considered Aware, when the attribute is not set
it is considered a Naive.
To ensure that a timezone is naive or aware, you can use .is_naive() and .is_aware()
If you have USE_TZ enabled in your settings.py file, a datetime will have time zone information
attached to it as long as your default TIME_ZONE is set in settings.py
While this default time zone may be good in some cases it is likely not enough especially if you are
handling users in multiple time zones. In order to accomplish this, middleware must be used.
import pytz
https://riptutorial.com/ 195
def __init__(self, get_response):
self.get_response = get_response
response = self.get_response(request)
return response
There are a few new things going on. To learn more about middleware and what it does check out
that part of the documentation. In __call__ we are handling the setting of the timezone data. At first
we make sure the user is authenticated, to make sure that we have timezone data for this user.
Once we know we do, we active the timezone for the users session using timezone.activate(). In
order to convert the time zone string we have to something usable by datetime, we use
pytz.timezone(str).
Now, when datetime objects are accessed in templates they will automatically be converted from
the 'UTC' format of the database to whatever time zone the user is in. Just access the datetime
object and its timezone will be set assuming the previous middleware is set up properly.
{{ my_datetime_value }}
If you desire a fine grained control of whether the user's timezone is used take a look at the
following:
{% load tz %}
{% localtime on %}
{# this time will be respect the users time zone #}
{{ your_date_time }}
{% endlocaltime %}
{% localtime off %}
{# this will not respect the users time zone #}
{{ your_date_time }}
{% endlocaltime %}
Note, this method described only works in Django 1.10 and on. To support django from prior to
1.10 look into MiddlewareMixin
https://riptutorial.com/ 196
Chapter 50: Unit Testing
Examples
Testing - a complete example
This assumes that you have read the documentation about starting a new Django project. Let us
assume that the main app in your project is named td (short for test driven). To create your first
test, create a file named test_view.py and copy paste the following content into it.
class ViewTest(TestCase):
def test_hello(self):
c = Client()
resp = c.get('/hello/')
self.assertEqual(resp.status_code, 200)
./manage.py test
and it will most naturally fail! You will see an error similar to the following.
Why does that happen? Because we haven't defined a view for that! So let's do it. Create a file
called views.py and place in it the following code
urlpatterns = [
url(r'^admin/', include(admin.site.urls)),
url(r'^hello/', views.hello),
....
]
Now run the test again ./manage.py test again and viola!!
https://riptutorial.com/ 197
Creating test database for alias 'default'...
.
----------------------------------------------------------------------
Ran 1 test in 0.004s
OK
Assuming a class
class Author(models.Model):
name = models.CharField(max_length=50)
def __str__(self):
return self.name
def get_absolute_url(self):
return reverse('view_author', args=[str(self.id)])
class Book(models.Model):
author = models.ForeignKey(Manufacturer, on_delete=models.CASCADE)
private = models.BooleanField(default=false)
publish_date = models.DateField()
def get_absolute_url(self):
return reverse('view_book', args=[str(self.id)])
def __str__(self):
return self.name
Testing examples
class BaseModelTestCase(TestCase):
@classmethod
def setUpClass(cls):
super(BaseModelTestCase, cls).setUpClass()
cls.author = Author(name='hawking')
cls.author.save()
cls.first_book = Book(author=cls.author, name="short_history_of_time")
cls.first_book.save()
cls.second_book = Book(author=cls.author, name="long_history_of_time")
cls.second_book.save()
class AuthorModelTestCase(BaseModelTestCase):
def test_created_properly(self):
self.assertEqual(self.author.name, 'hawking')
self.assertEqual(True, self.first_book in self.author.book_set.all())
def test_absolute_url(self):
https://riptutorial.com/ 198
self.assertEqual(self.author.get_absolute_url(), reverse('view_author',
args=[str(self.author.id)]))
class BookModelTestCase(BaseModelTestCase):
def test_created_properly(self:
...
self.assertEqual(1, len(Book.objects.filter(name__startswith='long'))
def test_absolute_url(self):
...
Some points
• created_properly tests are used to verify the state properties of django models. They help
catch sitautions where we've changed default values, file_upload_paths etc.
• absolute_url might seem trivial but I've found that it's helped me prevent some bugs when
changing url paths
• I similarly write test cases for all the methods implemented inside a model (using mock
objects etc)
• By defining a common BaseModelTestCase we can setup the necessary relationships between
models to ensure proper testing.
Finally, when in doubt, write a test. Trivial behavior changes are caught by paying attention to
detail and long forgotten pieces of code don't end up causing unnecessary trouble.
tl;dr : Create a base class that defines two user objects (say user and another_user). Create your
other models and define three Client instances.
Now access all your public and private urls from these three client objects and dictact the
response you expect. Below I've showcased the strategy for a Book object that can either be
private (owned by a few privileged users) or public (visible to everyone).
class BaseViewTestCase(TestCase):
@classmethod
def setUpClass(cls):
super(BaseViewTestCase, cls).setUpClass()
cls.client = Client()
cls.another_client = Client()
cls.unlogged_client = Client()
cls.user = User.objects.create_user(
'dummy',password='dummy'
)
https://riptutorial.com/ 199
cls.user.save()
cls.another_user = User.objects.create_user(
'dummy2', password='dummy2'
)
cls.another_user.save()
cls.first_book = Book.objects.create(
name='first',
private = true
)
cls.first_book.readers.add(cls.user)
cls.first_book.save()
cls.public_book = Template.objects.create(
name='public',
private=False
)
cls.public_book.save()
def setUp(self):
self.client.login(username=self.user.username, password=self.user.username)
self.another_client.login(username=self.another_user.username,
password=self.another_user.username)
"""
Only cls.user owns the first_book and thus only he should be able to see it.
Others get 403(Forbidden) error
"""
class PrivateBookAccessTestCase(BaseViewTestCase):
def setUp(self):
super(PrivateBookAccessTestCase, self).setUp()
self.url = reverse('view_book',kwargs={'book_id':str(self.first_book.id)})
def test_user_sees_own_book(self):
response = self.client.get(self.url)
self.assertEqual(200, response.status_code)
self.assertEqual(self.first_book.name,response.context['book'].name)
self.assertTemplateUsed('myapp/book/view_template.html')
def test_user_cant_see_others_books(self):
response = self.another_client.get(self.url)
self.assertEqual(403, response.status_code)
def test_unlogged_user_cant_see_private_books(self):
response = self.unlogged_client.get(self.url)
self.assertEqual(403, response.status_code)
"""
Since book is public all three clients should be able to see the book
"""
class PublicBookAccessTestCase(BaseViewTestCase):
def setUp(self):
super(PublicBookAccessTestCase, self).setUp()
self.url = reverse('view_book',kwargs={'book_id':str(self.public_book.id)})
def test_user_sees_book(self):
response = self.client.get(self.url)
self.assertEqual(200, response.status_code)
self.assertEqual(self.public_book.name,response.context['book'].name)
https://riptutorial.com/ 200
self.assertTemplateUsed('myapp/book/view_template.html')
def test_another_user_sees_public_books(self):
response = self.another_client.get(self.url)
self.assertEqual(200, response.status_code)
def test_unlogged_user_sees_public_books(self):
response = self.unlogged_client.get(self.url)
self.assertEqual(200, response.status_code)
Django uses special database settings when testing so that tests can use the database normally
but by default run on an empty database. Database changes in one test will not be seen by
another. For example, both of the following tests will pass:
class MyTest(TestCase):
def test_1(self):
self.assertEqual(Thing.objects.count(), 0)
Thing.objects.create()
self.assertEqual(Thing.objects.count(), 1)
def test_2(self):
self.assertEqual(Thing.objects.count(), 0)
Thing.objects.create(attr1="value")
self.assertEqual(Thing.objects.count(), 1)
Fixtures
If you want to have database objects used by multiple tests, either create them in the setUp
method of the test case. Additionally, if you have defined fixtures in your django project, they can
be included like so:
class MyTest(TestCase):
fixtures = ["fixture1.json", "fixture2.json"]
By default, django is looking for fixtures in the fixtures directory in each app. Further directories
can be set using the FIXTURE_DIRS setting:
# myapp/settings.py
FIXTURE_DIRS = [
os.path.join(BASE_DIR, 'path', 'to', 'directory'),
]
# models.py
from django.db import models
https://riptutorial.com/ 201
class Person(models.Model):
"""A person defined by his/her first- and lastname."""
firstname = models.CharField(max_length=255)
lastname = models.CharField(max_length=255)
# fixture1.json
[
{ "model": "myapp.person",
"pk": 1,
"fields": {
"firstname": "Peter",
"lastname": "Griffin"
}
},
{ "model": "myapp.person",
"pk": 2,
"fields": {
"firstname": "Louis",
"lastname": "Griffin"
}
},
]
To speed up your test-runs you can tell the management-command to reuse the test-database
(and to prevent it from being created before and deleted after every test-run). This can be done
using the keepdb (or shorthand -k) flag like so:
It is possible to limit the tests executed by manage.py test by specifying which modules should be
discovered by the test runner:
# If you split the tests file into a module with several tests files for an app
$ python manage.py test app1.tests.test_models
If you want to run a bunch of tests you can pass a pattern of filenames. For example, you may
want to run only tests that involving of your models:
https://riptutorial.com/ 202
Creating test database for alias 'default'...
.................................................
----------------------------------------------------------------------
Ran 115 tests in 3.869s
OK
Finally, it is possible to stop the test suite at the first fail, using --failfast. This argument allows to
get quickly the potential error encountered in the suite:
FAILED (failures=1)
FAILED (failures=1)
https://riptutorial.com/ 203
Chapter 51: URL routing
Examples
How Django handles a request
Django handles a request by routing the incoming URL path to a view function. The view function
is responsible for returning a response back to the client making the request. Different URLs are
usually handled by different view functions. To route the request to a specific view function,
Django looks at your URL configuration (or URLconf for short). The default project template
defines the URLconf in <myproject>/urls.py.
Your URLconf should be a python module that defines an attribute named urlpatterns, which is a
list of django.conf.urls.url() instances. Each url() instance must at minimum define a regular
expression (a regex) to match against the URL, and a target, which is either a view function or a
different URLconf. If a URL pattern targets a view function, it is a good idea to give it a name to
easily reference the pattern later on.
# In <myproject>/urls.py
urlpatterns = [
url(r'^$', home, name='home'),
url(r'^about/$', about, name='about'),
url(r'^blog/(?P<id>\d+)/$', blog_detail, name='blog-detail'),
]
This URLconf defines three URL patterns, all targeting a view: home, about and blog-detail.
The regex contains a start anchor '^', immediately followed by an end anchor '$'. This pattern will
match requests where the URL path is an empty string, and route them to the home view defined in
myapp.views.
This regex contains a start anchor, followed by the literal string about/, and the end anchor. This
will match the URL /about/ and route it to the about view. Since every non-empty URL start with a /
, Django conveniently cuts of the first slash for you.
This regex is a bit more complex. It defines the start anchor and the literal string blog/, like the
https://riptutorial.com/ 204
previous pattern. The next part, (?P<id>\d+), is called a capturing group. A capturing group, like its
name suggest, captures a part of the string, and Django passes the captured string as an
argument to the view function.
The syntax of a capturing group is (?P<name>pattern). name defines the name of the group, which is
also the name that Django uses to pass the argument to the view. The pattern defines which
characters are matched by the group.
In this case, the name is id, so the function blog_detail must accept a parameter named id. The
pattern is \d+. \d signifies that the pattern only matches number characters. + signifies that the
pattern must match one or more characters.
year (short)
[0-9]{2} month Two numbers, zero through nine
day of month
The capturing group in the blog-detail pattern is followed by a literal /, and the end anchor.
Django processes each URL pattern in the same order they are defined in urlpatterns. This is
important if multiple patterns can match the same URL. For example:
urlpatterns = [
url(r'blog/(?P<slug>[\w-]+)/$', blog_detail, name='blog-detail'),
url(r'blog/overview/$', blog_overview, name='blog-overview'),
]
In the above URLconf, the second pattern is not reachable. The pattern would match the URL
https://riptutorial.com/ 205
/blog/overview/, but instead of calling the blog_overview view, the URL will first match the blog-
detail pattern and call the blog_detail view with an argument slug='overview'.
To make sure that the URL /blog/overview/ is routed to the blog_overview view, the pattern should
be put above the blog-detail pattern:
urlpatterns = [
url(r'blog/overview/$', blog_overview, name='blog-overview'),
url(r'blog/(?P<slug>[\w-]+)/$', blog_detail, name='blog-detail'),
]
Configure your app's URLconf to automatically use a URL namespace by setting the app_name
attribute:
# In <myapp>/urls.py
from django.conf.urls import url
app_name = 'myapp'
urlpatterns = [
url(r'^$', overview, name='overview'),
]
This will set the application namespace to 'myapp' when it is included in the root URLconf>. The
user of your reusable app does not need to do any configuration other than including your URLs:
# In <myproject>/urls.py
from django.conf.urls import include, url
urlpatterns = [
url(r'^myapp/', include('myapp.urls')),
]
Your reusable app can now reverse URLs using the application namespace:
The root URLconf can still set an instance namespace with the namespace parameter:
# In <myproject>/urls.py
urlpatterns = [
url(r'^myapp/', include('myapp.urls', namespace='mynamespace')),
]
Both the application namespace and instance namespace can be used to reverse the URLs:
https://riptutorial.com/ 206
>>> from django.urls import reverse
>>> reverse('myapp:overview')
'/myapp/overview/'
>>> reverse('mynamespace:overview')
'/myapp/overview/'
The instance namespace defaults to the application namespace if it is not explicitly set.
https://riptutorial.com/ 207
Chapter 52: Using Redis with Django -
Caching Backend
Remarks
Using django-redis-cache or django-redis are both effective solutions for storing all cached items.
While it is certainly possible for Redis to be setup directly as a SESSION_ENGINE, one effective
strategy is to setup the caching (as above) and declare your default cache as a SESSION_ENGINE.
While this is really the topic for another documentaiton article, its relevance leads to inclusion.
SESSION_ENGINE = "django.contrib.sessions.backends.cache"
Examples
Using django-redis-cache
Edit your settings.py to include a CACHES object (see Django documentation on caching).
CACHES = {
'default': {
'BACKEND': 'redis_cache.RedisCache',
'LOCATION': 'localhost:6379',
'OPTIONS': {
'DB': 0,
}
}
}
Using django-redis
One potential implementation of Redis as a backend caching utility is the django-redis package.
https://riptutorial.com/ 208
Edit your settings.py to include a CACHES object (see Django documentation on caching).
CACHES = {
'default': {
'BACKEND': 'django_redis.cache.RedisCache',
'LOCATION': 'redis://127.0.0.1:6379/1',
'OPTIONS': {
'CLIENT_CLASS': 'django_redis.client.DefaultClient',
}
}
}
https://riptutorial.com/ 209
Chapter 53: Views
Introduction
A view function, or view for short, is simply a Python function that takes a Web request and returns
a Web response. -Django Documentation-
Examples
[Introductory] Simple View (Hello World Equivalent)
Let's create a very simple view to respond a "Hello World" template in html format.
def hello_world(request):
html = "<html><title>Hello World!</title><body>Hello World!</body></html>"
return HttpResponse(html)
urlpatterns = [
url(r'^hello_world/$', views.hello_world, name='hello_world'),
]
https://riptutorial.com/ 210
Credits
S.
Chapters Contributors
No
ArrayField - a
3 PostgreSQL-specific Antoine Pinsard, e4c5, noɥʇʎԀʎzɐɹƆ
field
Async Tasks
4 iankit, Mevin Babu
(Celery)
Authentication
5 knbk, Rahul Gupta
Backends
Continuous
8 Integration With pnovotnak
Jenkins
Custom Managers
10 abidibo, knbk, sudshekhar, Trivial
and Querysets
https://riptutorial.com/ 211
Ahmad Anwar, Antoine Pinsard, Evans Murithi, Kid Binary, knbk
12 Database Setup
, lxer, Majid, Peter Mortensen
Database
13 Ian Clark
transactions
14 Debugging Antoine Pinsard, Ashutosh, e4c5, Kid Binary, knbk, Sayse, Udi
Django and Social Aidas Bendoraitis, aisflat439, Carlos Rojas, Ivan Semochkin,
16
Networks Rexford, Simplans
Django Rest
18 The Brewmaster
Framework
24 Formsets naveen.panwar
https://riptutorial.com/ 212
PostgreSQL specific ʎzɐɹƆ, Omar Shehata, techydesigner
field
Many-to-many
32 Antoine Pinsard, e4c5, knbk, Kostronor
relationships
Mapping strings to
strings with
33 HStoreField - a noɥʇʎԀʎzɐɹƆ
PostgreSQL specific
field
Meta:
34 Documentation Antoine Pinsard
Guidelines
Model Field Burhan Khalid, Husain Basrawala, knbk, Matt Seymour, Rod
38
Reference Xavier, scriptmonster, techydesigner, The_Cthulhu_Kid
https://riptutorial.com/ 213
RangeFields - a
42 group of PostgreSQL Antoine Pinsard, noɥʇʎԀʎzɐɹƆ
specific fields
https://riptutorial.com/ 214