Django Tutorial in Visual Studio Code
Django is a high-level Python framework designed for rapid, secure, and scalable web development. Django includes rich support for URL routing, page templates, and working with data.
In this Django tutorial, you create a simple Django app with three pages that use a common base template. You create this app in the context of Visual Studio Code in order to understand how to work with Django in the VS Code terminal, editor, and debugger. This tutorial does not explore various details about Django itself, such as working with data models and creating an administrative interface. For guidance on those aspects, refer to the Django documentation links at the end of this tutorial.
The completed code project from this Django tutorial can be found on GitHub: python-sample-vscode-django-tutorial.
If you have any problems, you can search for answers or ask a question on the Python extension Discussions Q&A.
Prerequisites
To successfully complete this Django tutorial, you must do the following (which are the same steps as in the general Python tutorial):
-
Install the Python extension.
-
Install a version of Python 3 (for which this tutorial is written). Options include:
- (All operating systems) A download from python.org; typically use the Download Python 3.9.1 button that appears first on the page (or whatever is the latest version).
- (Linux) The built-in Python 3 installation works well, but to install other Python packages you must run
sudo apt install python3-pip
in the terminal. - (macOS) An installation through Homebrew on macOS using
brew install python3
(the system install of Python on macOS is not supported). - (All operating systems) A download from Anaconda (for data science purposes).
-
On Windows, make sure the location of your Python interpreter is included in your PATH environment variable. You can check the location by running
path
at the command prompt. If the Python interpreter's folder isn't included, open Windows Settings, search for "environment", select Edit environment variables for your account, then edit the Path variable to include that folder.
Create a project environment for the Django tutorial
In this section, you create a virtual environment in which Django is installed. Using a virtual environment avoids installing Django into a global Python environment and gives you exact control over the libraries used in an application. A virtual environment also makes it easy to Create a requirements.txt file for the environment.
-
On your file system, create a project folder for this tutorial, such as
hello_django
. -
In that folder, use the following command (as appropriate to your computer) to create a virtual environment named
.venv
based on your current interpreter:# Linux
sudo apt-get install python3-venv # If needed
python3 -m venv .venv
source .venv/bin/activate
# macOS
python3 -m venv .venv
source .venv/bin/activate
# Windows
py -3 -m venv .venv
.venv\scripts\activateNote: Use a stock Python installation when running the above commands. If you use
python.exe
from an Anaconda installation, you see an error because the ensurepip module isn't available, and the environment is left in an unfinished state. -
Open the project folder in VS Code by running
code .
, or by running VS Code and using the File > Open Folder command. -
In VS Code, open the Command Palette (View > Command Palette or (
Ctrl+Shift+P
)). Then select the Python: Select Interpreter command: -
The command presents a list of available interpreters that VS Code can locate automatically (your list will vary; if you don't see the desired interpreter, see Configuring Python environments). From the list, select the virtual environment in your project folder that starts with
./.venv
or.\.venv
: -
Run Terminal: Create New Terminal (
Ctrl+Shift+`
) from the Command Palette, which creates a terminal and automatically activates the virtual environment by running its activation script.Note: On Windows, if your default terminal type is PowerShell, you may see an error that it cannot run activate.ps1 because running scripts is disabled on the system. The error provides a link for information on how to allow scripts. Otherwise, use Terminal: Select Default Profile to set "Command Prompt" or "Git Bash" as your default instead.
-
The selected environment appears on the right side of the VS Code status bar, and notices the ('.venv': venv) indicator that tells you that you're using a virtual environment:
-
Update pip in the virtual environment by running the following command in the VS Code Terminal:
python -m pip install --upgrade pip
-
Install Django in the virtual environment by running the following command in the VS Code Terminal:
python -m pip install django
You now have a self-contained environment ready for writing Django code. VS Code activates the environment automatically when you use Terminal: Create New Terminal (Ctrl+Shift+`
). If you open a separate command prompt or terminal, activate the environment by running source .venv/bin/activate
(Linux/macOS) or .venv\Scripts\Activate.ps1
(Windows). You know the environment is activated when the command prompt shows (.venv) at the beginning.
Create and run a minimal Django app
In Django terminology, a "Django project" is composed of several site-level configuration files, along with one or more "apps" that you deploy to a web host to create a full web application. A Django project can contain multiple apps, each of which typically has an independent function in the project, and the same app can be in multiple Django projects. An app, for its part, is just a Python package that follows certain conventions that Django expects.
To create a minimal Django app, then, it's necessary to first create the Django project to serve as the container for the app, then create the app itself. For both purposes, you use the Django administrative utility, django-admin
, which is installed when you install the Django package.
Create the Django project
-
In the VS Code Terminal where your virtual environment is activated, run the following command:
django-admin startproject web_project .
This
startproject
command assumes (by use of.
at the end) that the current folder is your project folder, and creates the following within it:-
manage.py
: The Django command-line administrative utility for the project. You run administrative commands for the project usingpython manage.py <command> [options]
. -
A subfolder named
web_project
, which contains the following files:__init__.py
: an empty file that tells Python that this folder is a Python package.asgi.py
: an entry point for ASGI-compatible web servers to serve your project. You typically leave this file as-is as it provides the hooks for production web servers.settings.py
: contains settings for Django project, which you modify in the course of developing a web app.urls.py
: contains a table of contents for the Django project, which you also modify in the course of development.wsgi.py
: an entry point for WSGI-compatible web servers to serve your project. You typically leave this file as-is as it provides the hooks for production web servers.
-
-
Create an empty development database by running the following command:
python manage.py migrate
When you run the server the first time, it creates a default SQLite database in the file
db.sqlite3
that is intended for development purposes, but can be used in production for low-volume web apps. For additional information about databases, see the Types of databases section. -
To verify the Django project, make sure your virtual environment is activated, then start Django's development server using the command
python manage.py runserver
. The server runs on the default port 8000, and you see output like the following output in the terminal window:Watching for file changes with StatReloader
Performing system checks...
System check identified no issues (0 silenced).
June 13, 2023 - 18:38:07
Django version 4.2.2, using settings 'web_project.settings'
Starting development server at http://127.0.0.1:8000/
Quit the server with CTRL-BREAK.Django's built-in web server is intended only for local development purposes. When you deploy to a web host, however, Django uses the host's web server instead. The
wsgi.py
andasgi.py
modules in the Django project take care of hooking into the production servers.If you want to use a different port than the default 8000, specify the port number on the command line, such as
python manage.py runserver 5000
. -
Ctrl+click
thehttp://127.0.0.1:8000/
URL in the terminal output window to open your default browser to that address. If Django is installed correctly and the project is valid, you see the default page shown below. The VS Code terminal output window also shows the server log. -
When you're done, close the browser window and stop the server in VS Code using
Ctrl+C
as indicated in the terminal output window.
Create a Django app
-
In the VS Code Terminal with your virtual environment activated, run the administrative utility's
startapp
command in your project folder (wheremanage.py
resides):python manage.py startapp hello
The command creates a folder called
hello
that contains a number of code files and one subfolder. Of these, you frequently work withviews.py
(that contains the functions that define pages in your web app) andmodels.py
(that contains classes defining your data objects). Themigrations
folder is used by Django's administrative utility to manage database versions as discussed later in this tutorial. There are also the filesapps.py
(app configuration),admin.py
(for creating an administrative interface), andtests.py
(for creating tests), which are not covered here. -
Modify
hello/views.py
to match the following code, which creates a single view for the app's home page:from django.http import HttpResponse
def home(request):
return HttpResponse("Hello, Django!") -
Create a file,
hello/urls.py
, with the contents below. Theurls.py
file is where you specify patterns to route different URLs to their appropriate views. The code below contains one route to map root URL of the app (""
) to theviews.home
function that you just added tohello/views.py
:from django.urls import path
from hello import views
urlpatterns = [
path("", views.home, name="home"),
] -
The
web_project
folder also contains aurls.py
file, which is where URL routing is actually handled. Openweb_project/urls.py
and modify it to match the following code (you can retain the instructive comments if you like). This code pulls in the app'shello/urls.py
usingdjango.urls.include
, which keeps the app's routes contained within the app. This separation is helpful when a project contains multiple apps.from django.contrib import admin
from django.urls import include, path
urlpatterns = [
path("", include("hello.urls")),
path('admin/', admin.site.urls)
] -
Save all modified files.
-
In the VS Code Terminal, again with the virtual environment activated, run the development server with
python manage.py runserver
and open a browser tohttp://127.0.0.1:8000/
to see a page that renders "Hello, Django".
Create a debugger launch profile
You're probably already wondering if there's an easier way to run the server and test the app without typing python manage.py runserver
each time. Fortunately, there is! You can create a customized launch profile in VS Code, which is also used for the inevitable exercise of debugging.
-
Switch to Run view in VS Code (using the left-side activity bar or
F5
). You may see the message "To customize Run and Debug create a launch.json file". This means that you don't yet have alaunch.json
file containing debug configurations. VS Code can create that for you if you click on the create a launch.json file link: -
Select the link and VS Code will prompt for a debug configuration. Select Django from the dropdown and VS Code will populate a new
launch.json
file with a Django run configuration. Thelaunch.json
file contains a number of debugging configurations, each of which is a separate JSON object within theconfiguration
array. -
Scroll down to and examine the configuration with the name "Python: Django":
{
// Use IntelliSense to learn about possible attributes.
// Hover to view descriptions of existing attributes.
// For more information, visit: https://go.microsoft.com/fwlink/?linkid=830387
"version": "0.2.0",
"configurations": [
{
"name": "Python Debugger: Django",
"type": "debugpy",
"request": "launch",
"program": "${workspaceFolder}\\manage.py",
"args": ["runserver"],
"django": true,
"justMyCode": true
}
]
}This configuration tells VS Code to run
"${workspaceFolder}/manage.py"
using the selected Python interpreter and the arguments in theargs
list. Launching the VS Code debugger with this configuration, then, is the same as runningpython manage.py runserver
in the VS Code Terminal with your activated virtual environment. (You can add a port number like"5000"
toargs
if desired.) The"django": true
entry also tells VS Code to enable debugging of Django page templates, which you see later in this tutorial. -
Test the configuration by selecting the Run > Start Debugging menu command, or selecting the green Start Debugging arrow next to the list (
F5
): -
Ctrl+click
thehttp://127.0.0.1:8000/
URL in the terminal output window to open the browser and see that the app is running properly. -
Close the browser and stop the debugger when you're finished. To stop the debugger, use the Stop toolbar button (the red square) or the Run > Stop Debugging command (
Shift+F5
). -
You can now use the Run > Start Debugging at any time to test the app, which also has the benefit of automatically saving all modified files.
Explore the debugger
Debugging gives you the opportunity to pause a running program on a particular line of code. When a program is paused, you can examine variables, run code in the Debug Console panel, and otherwise take advantage of the features described on Debugging. Running the debugger also automatically saves any modified files before the debugging session begins.
Before you begin: Make sure you've stopped the running app at the end of the last section by using Ctrl+C
in the terminal. If you leave the app running in one terminal, it continues to own the port. As a result, when you run the app in the debugger using the same port, the original running app handles all the requests and you won't see any activity in the app being debugged and the program won't stop at breakpoints. In other words, if the debugger doesn't seem to be working, make sure that no other instance of the app is still running.
-
In
hello/urls.py
, add a route to theurlpatterns
list:path("hello/<name>", views.hello_there, name="hello_there"),
The first argument to
path
defines a route "hello/" that accepts a variable string called name. The string is passed to theviews.hello_there
function specified in the second argument topath
.URL routes are case-sensitive. For example, the route
/hello/<name>
is distinct from/Hello/<name>
. If you want the same view function to handle both, define paths for each variant. -
Replace the contents of
views.py
with the following code to define thehello_there
function that you can step through in the debugger:import re
from django.utils.timezone import datetime
from django.http import HttpResponse
def home(request):
return HttpResponse("Hello, Django!")
def hello_there(request, name):
now = datetime.now()
formatted_now = now.strftime("%A, %d %B, %Y at %X")
# Filter the name argument to letters only using regular expressions. URL arguments
# can contain arbitrary text, so we restrict to safe characters only.
match_object = re.match("[a-zA-Z]+", name)
if match_object:
clean_name = match_object.group(0)
else:
clean_name = "Friend"
content = "Hello there, " + clean_name + "! It's " + formatted_now
return HttpResponse(content)The
name
variable defined in the URL route is given as an argument to thehello_there
function. As described in the code comments, always filter arbitrary user-provided information to avoid various attacks on your app. In this case, the code filters the name argument to contain only letters, which avoids injection of control characters, HTML, and so forth. (When you use templates in the next section, Django does automatic filtering and you don't need this code.) -
Set a breakpoint at the first line of code in the
hello_there
function (now = datetime.now()
) by doing any one of the following:- With the cursor on that line, press
F9
, or, - With the cursor on that line, select the Run > Toggle Breakpoint menu command, or,
- Click directly in the margin to the left of the line number (a faded red dot appears when hovering there).
The breakpoint appears as a red dot in the left margin:
- With the cursor on that line, press
-
Start the debugger by selecting the Run > Start Debugging menu command, or selecting the green Start Debugging arrow next to the list (
F5
):Observe that the status bar changes color to indicate debugging:
A debugging toolbar (shown below) also appears in VS Code containing commands in the following order: Pause (or Continue,
F5
), Step Over (F10
), Step Into (F11
), Step Out (Shift+F11
), Restart (Ctrl+Shift+F5
), and Stop (Shift+F5
). See VS Code debugging for a description of each command. -
Output appears in a "Python Debug Console" terminal. Open a browser and navigate to
http://127.0.0.1:8000/hello/VSCode
. Before the page renders, VS Code pauses the program at the breakpoint you set. The small yellow arrow on the breakpoint indicates that it's the next line of code to run. -
Use Step Over to run the
now = datetime.now()
statement. -
On the left side of the VS Code window, you see a Variables pane that shows local variables, such as
now
, as well as arguments, such asname
. Below that are panes for Watch, Call Stack, and Breakpoints (see VS Code debugging for details). In the Locals section, try expanding different values. You can also double-click values (or usekb(debug.setVariable)
) to modify them. Changing variables such asnow
, however, can break the program. Developers typically make changes only to correct values when the code didn't produce the right value to begin with. -
When a program is paused, the Debug Console panel (which is different from the "Python Debug Console" in the Terminal panel) lets you experiment with expressions and try out bits of code using the current state of the program. For example, once you've stepped over the line
now = datetime.now()
, you might experiment with different date/time formats. In the editor, select the code that readsnow.strftime("%A, %d %B, %Y at %X")
, then right-click and select Debug: Evaluate to send that code to the debug console, where it runs:now.strftime("%A, %d %B, %Y at %X")
'Friday, 07 September, 2018 at 07:46:32'Tip: The Debug Console also shows exceptions from within the app that may not appear in the terminal. For example, if you see a "Paused on exception" message in the Call Stack area of Run and Debug view, switch to the Debug Console to see the exception message.
-
Copy that line into the > prompt at the bottom of the debug console, and try changing the formatting:
now.strftime("%A, %d %B, %Y at %X")
'Tuesday, 13 June, 2023 at 18:03:19'
now.strftime("%a, %d %b, %Y at %X")
'Tue, 13 Jun, 2023 at 18:03:19'
now.strftime("%a, %d %b, %y at %X")
'Tue, 13 Jun, 23 at 18:03:19' -
Step through a few more lines of code, if you'd like, then select Continue (
F5
) to let the program run. The browser window shows the result: -
Change the line in the code to use different datetime format, for example
now.strftime("%a, %d %b, %y at %X")
, and then save the file. The Django server will automatically reload, which means the changes will be applied without the need to restart the debugger. Refresh the page on the browser to see the update. -
Close the browser and stop the debugger when you're finished. To stop the debugger, use the Stop toolbar button (the red square) or the Run > Stop Debugging command (
Shift+F5
).
Tip: To make it easier to repeatedly navigate to a specific URL like
http://127.0.0.1:8000/hello/VSCode
, output that URL using aviews.py
. The URL appears in the VS Code Terminal where you can useCtrl+click
to open it in a browser.
Go to Definition and Peek Definition commands
During your work with Django or any other library, you may want to examine the code in those libraries themselves. VS Code provides two convenient commands that navigate directly to the definitions of classes and other objects in any code:
-
Go to Definition jumps from your code into the code that defines an object. For example, in
views.py
, right-click onHttpResponse
in thehome
function and select Go to Definition (or useF12
), which navigates to the class definition in the Django library. -
Peek Definition (
Alt+F12
, also on the right-click context menu), is similar, but displays the class definition directly in the editor (making space in the editor window to avoid obscuring any code). PressEscape
to close the Peek window or use the x in the upper right corner.
Use a template to render a page
The app you've created so far in this tutorial generates only plain text web pages from Python code. Although it's possible to generate HTML directly in code, developers avoid such a practice because it opens the app to cross-site scripting (XSS) attacks. In the hello_there
function of this tutorial, for example, one might think to format the output in code with something like content = "<h1>Hello there, " + clean_name + "!</h1>"
, where the result in content
is given directly to a browser. This opening allows an attacker to place malicious HTML, including JavaScript code, in the URL that ends up in clean_name
and thus ends up being run in the browser.
A much better practice is to keep HTML out of your code entirely by using templates, so that your code is concerned only with data values and not with rendering.
In Django, a template is an HTML file that contains placeholders for values that the code provides at run time. The Django templating engine then takes care of making the substitutions when rendering the page, and provides automatic escaping to prevent XSS attacks (that is, if you tried using HTML in a data value, you would see the HTML rendered only as plain text). The code, therefore, concerns itself only with data values and the template concerns itself only with markup. Django templates provide flexible options such as template inheritance, which allows you to define a base page with common markup and then build upon that base with page-specific additions.
In this section, you start by creating a single page using a template. In subsequent sections, you configure the app to serve static files and then create multiple pages to the app that each contains a nav bar from a base template. Django templates also support control flow and iteration, as you see later in this tutorial in the context of template debugging.
-
In the
web_project/settings.py
file, locate theINSTALLED_APPS
list and add the following entry, which makes sure the project knows about the app so it can handle templating:'hello',
-
Inside the
hello
folder, create a folder namedtemplates
, and then another subfolder namedhello
to match the app name (this two-tiered folder structure is typical Django convention). -
In the
templates/hello
folder, create a file namedhello_there.html
with the contents below. This template contains two placeholders for data values named "name", and "date", which are delineated by pairs of curly braces,\{{
and}}
. All other invariant text is part of the template, along with formatting markup (such as<strong>
). As you can see, template placeholders can also include formatting, the expressions after the pipe|
symbols, in this case using Django's built-in date filter and time filter. The code, then needs only to pass the datetime value rather than a pre-formatted string:<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>Hello, Django</title>
</head>
<body>
<strong>Hello there, \{{ name }}!</strong> It's \{{ date | date:"l, d F,
Y" }} at \{{ date | time:"H:i:s" }}
</body>
</html> -
At the top of
views.py
, add the following import statement:from django.shortcuts import render
-
Also in
views.py
, modify thehello_there
function to usedjango.shortcuts.render
method to load a template and to provide the template context. The context is the set of variables for use within the template. Therender
function takes the request object, followed by the path to to the template relative to thetemplates
folder, then the context object. (Developers typically name the templates the same as the functions that use them, but matching names are not required because you always refer to the exact filename in your code.)def hello_there(request, name):
print(request.build_absolute_uri()) #optional
return render(
request,
'hello/hello_there.html',
{
'name': name,
'date': datetime.now()
}
)You can see that the code is now much simpler, and concerned only with data values, because the markup and formatting is all contained in the template.
-
Start the program (inside or outside of the debugger, using
Ctrl+F5
), navigate to a /hello/name URL, and observe the results. -
Also try navigating to a /hello/name URL using a name like
<a%20value%20that%20could%20be%20HTML>
to see Django's automatic escaping at work. The "name" value shows up as plain text in the browser rather than as rendering an actual element.
Serve static files
Static files are pieces of content that your web app returns as-is for certain requests, such as CSS files. Serving static files requires that the INSTALLED_APPS
list in settings.py
contains django.contrib.staticfiles
, which is included by default.
Serving static files in Django is something of an art, especially when deploying to production. What's shown here is a simple approach that works with the Django development server and also a production server like Gunicorn. A full treatment of static files, however, is beyond the scope of this tutorial, so for more information, see Managing static files in the Django documentation.
When switching to production, navigate to settings.py
, set DEBUG=False
, and change ALLOWED_HOSTS = ['*']
to allow specific hosts. This may result in additional work when using containers. For details, see Issue 13.
Ready the app for static files
-
In the project's
web_project/urls.py
, add the followingimport
statement:from django.contrib.staticfiles.urls import staticfiles_urlpatterns
-
In that same file, add the following line at the end, which includes standard static file URLs to the list that the project recognizes:
urlpatterns += staticfiles_urlpatterns()
Refer to static files in a template
-
In the
hello
folder, create a folder namedstatic
. -
Within the
static
folder, create a subfolder namedhello
, matching the app name.The reason for this extra subfolder is that when you deploy the Django project to a production server, you collect all the static files into a single folder that's then served by a dedicated static file server. The
static/hello
subfolder ensures that when the app's static files are collected, they're in an app-specific subfolder and won't collide with file from other apps in the same project. -
In the
static/hello
folder, create a file namedsite.css
with the following contents. After entering this code, also observe the syntax highlighting that VS Code provides for CSS files, including a color preview..message {
font-weight: 600;
color: blue;
} -
In
templates/hello/hello_there.html
, add the following lines after the<title>
element. The{% load static %}
tag is a custom Django template tag set, which allows you to use{% static %}
to refer to a file like the stylesheet.{% load static %}
<link
rel="stylesheet"
type="text/css"
href="{% static 'hello/site.css' %}"
/> -
Also in
templates/hello/hello_there.html
, replace the contents<body>
element with the following markup that uses themessage
style instead of a<strong>
tag:<span class="message">Hello, there \{{ name }}!</span> It's \{{ date |
date:'l, d F, Y' }} at \{{ date | time:'H:i:s' }}. -
Run the app, navigate to a /hello/name URL, and observe that the message renders in blue. Stop the app when you're done.
Use the collectstatic command
For production deployments, you typically collect all the static files from your apps into a single folder using the python manage.py collectstatic
command. You can then use a dedicated static file server to serve those files, which typically results in better overall performance. The following steps show how this collection is made, although you don't use the collection when running with the Django development server.
-
In
web_project/settings.py
, add the following line that defines a location where static files are collected when you use thecollectstatic
command:STATIC_ROOT = BASE_DIR / 'static_collected'
-
In the Terminal, run the command
python manage.py collectstatic
and observe thathello/site.css
is copied into the top levelstatic_collected
folder alongsidemanage.py
. -
In practice, run
collectstatic
any time you change static files and before deploying into production.