-
Note: it is recommended that we use virtual environments
-
make sure you have
python3
or above andpip
installed on your machine -
vitual environment
virtualenv ./virt # unix
virtualenv %HOMEPATH%\virt # windows
source ./virt/bin/activate # unix
%HOMEPATH%\virt\Scripts\activate # windows
- install
Django
using pip
pip3 install Django
- Go through the steps of creating a new Django project:
django-admin startproject introduction # create a number of starter files for our project
cd introduction # navigate into your new project’s directory
python manage.py runserver # run your server
- Create app
python manage.py startapp hello
- Add
<APP_NAME>
toINSTALLED_APPS
insettings.py
- In your project's
urls.py
from django.contrib import admin
from django.urls import path, include
urlpatterns = [
path('admin/', admin.site.urls),
path('hello/', include("hello.urls"))
]
- create a new
urls.py
in your app
from django.urls import path
from . import views
urlpatterns = [
path("", views.index, name="index")
]
- In your app's
views.py
from django.http.response import HttpResponse
def index(request):
return HttpResponse("Hello, World")
- main
urls.py
path('hello/', include('hello.urls'))
- app's
urls.py
path("<str:name>", views.greet, name="greet")
- app's
views.py
def greet(request, name):
return HttpResponse(f"Hello, {name.capitalize()}")
-
In your app's directory create a new folder
templates/APP_NAME
-
Inside it create a new file
index.html
<!DOCTYPE html>
<html lang="en">
<head>
<title>Hello</title>
</head>
<body>
<h1>Hello, World!</h1>
</body>
</html>
- In your
views.py
def index(request):
return render(request, "hello/index.html")
views.py
def greet(request, name):
return render(request, "hello/greet.html", {
"name": name.capitalize()
})
greet.html
<!DOCTYPE html>
<html lang="en">
<head>
<title>Hello</title>
</head>
<body>
<h1>Hello, {{ name }}!</h1>
</body>
</html>
- lets create a new app
python manage.py startapp isitchrismas
- Edit
settings.py
, addingisitchrismas
as one of ourINSTALLED_APPS
path('isitchrismas/', include("isitchrismas.urls"))
- Create another
urls.py
file within our new app’s directory, and update it to include a path.
from django.urls import path
from . import views
urlpatterns = [
path("", views.index, name="index"),
]
views.py
def index(request):
now = datetime.datetime.now()
return render(request, "christmas/index.html", {
"christmas": now.month == 12 and now.day == 25
})
index.html
<!DOCTYPE html>
<html lang="en">
<head>
<title>Is It Christmas?</title>
</head>
<body>
{% if christmas %}
<h1>YES</h1>
{% else %}
<h1>NO</h1>
{% endif %}
</body>
</html>