django slug field code example
Example 1: on_delete options django
There are seven possible actions to take when such event occurs:
CASCADE: When the referenced object is deleted, also delete the objects that have references to it
(when you remove a blog post for instance, you might want to delete comments as well).
SQL equivalent: CASCADE.
PROTECT: Forbid the deletion of the referenced object.
To delete it you will have to delete all objects that reference it manually.
SQL equivalent: RESTRICT.
RESTRICT: (introduced in Django 3.1) Similar behavior as PROTECT that matches SQL's RESTRICT more accurately. (See django documentation example)
SET_NULL: Set the reference to NULL (requires the field to be nullable).
For instance, when you delete a User, you might want to keep the comments he posted on blog posts,
but say it was posted by an anonymous (or deleted) user.
SQL equivalent: SET NULL.
SET_DEFAULT: Set the default value. SQL equivalent: SET DEFAULT.
SET(...): Set a given value. This one is not part of the SQL standard and is entirely handled by Django.
DO_NOTHING: Probably a very bad idea since this would create integrity issues in your database
(referencing an object that actually doesn't exist). SQL equivalent: NO ACTION.
Example 2: slug urls django
path('<slug:slug>,<int:id>/', views.article_detail, name='article'),
Example 3: django slug int url mapping
# in views define the int slugs then the url mapping is like this
from django.urls import path, re_path
from . import views
urlpatterns = [
path('articles/2003/', views.special_case_2003),
re_path(r'^articles/(?P<year>[0-9]{4})/$', views.year_archive),
re_path(r'^articles/(?P<year>[0-9]{4})/(?P<month>[0-9]{2})/$', views.month_archive),
re_path(r'^articles/(?P<year>[0-9]{4})/(?P<month>[0-9]{2})/(?P<slug>[\w-]+)/$', views.article_detail),
]