Define Dynamic Path Segments and Capture their Values in Django
URL Configuration
To capture values from URLs, you define path converters in your URL patterns. Django offers several built-in path converters like str
, int
, slug
, uuid
, and more. You can also define custom path converters if needed.
Here’s an example of how to define a URL pattern that captures an integer value:
# urls.py from django.urls import path from . import views urlpatterns = [ path('article/<int:article_id>/', views.article_detail, name='article_detail'), ]
In this example, <int:article_id>
is a dynamic segment. int
is the converter that tells Django to convert this part of the URL into an integer. article_id
is the name of the variable that will be passed to the view function.
View Function
In the view, you can capture the value from the URL as a parameter. Here’s how you might handle it:
# views.py from django.http import HttpResponse def article_detail(request, article_id): # You can now use `article_id` which is passed from the URL return HttpResponse(f"Displaying article {article_id}")
In the article_detail
function, article_id
is received as a parameter directly from the URL.
Using Captured Values
You can use these captured values to perform database queries, logic processing, or pass them into templates. For instance, to fetch an article from a database by its ID:
from django.shortcuts import get_object_or_404 from .models import Article def article_detail(request, article_id): article = get_object_or_404(Article, pk=article_id) return HttpResponse(f"Title: {article.title}")
This function fetches an article using the captured article_id
, and if the article does not exist, it raises a 404 error.