其他分享
首页 > 其他分享> > Django学习(2)

Django学习(2)

作者:互联网

路由系统

用户从浏览器发出的请求会首先打到django url的路由分发系统这里,然后再到views视图->models模型->template模板->用户浏览器。


from django.urls import re_path
from apptest import views

 urlpatterns = [
    re_path(r'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), # 动态路由
    
    # django2.0后对上面的优化
    path('articles/2003/', views.special_case_2003),
    path('articles/<int:year>/', views.year_archive),
    path('articles/<int:year>/<int:month>/', views.month_archive),
    path('articles/<int:year>/<int:month>/<slug:slug>/', views.article_detail),
]

以上路由对应views.py视图方法

def special_case_2003(request):
 
    return HttpResponse("dddd")
 
 
def year_archive(request,year):
    return HttpResponse("year_archive" + str(year))
 
 
def month_archive(request,year,month):
    return HttpResponse("month_archive %s-%s" %(year,month))
 
 
def article_detail(request,year,month,slug):
    return HttpResponse("article_detail %s-%s %s" %(year,month,slug))

Django2.0转化器(Path converters):

  1. str,匹配除了路径分隔符(/)之外的非空字符串,这是默认的形式
  2. int,匹配正整数,包含0
  3. slug,匹配字母、数字以及横杠、下划线组成的字符串
  4. uuid,匹配格式化的uuid,如 075194d3-6885-417e-a8a8-6c931e272f00
  5. path,匹配任何非空字符串,包含了路径分隔符

自定义转换器

要求:

  1. regex 类属性,字符串类型
  2. to_python(self, value)方法,value是由属性regex所匹配到的字符串,返回具体的Python变量值,以供Django传递到对应的视图函数中
  3. to_url(self, value)方法,和to_python相反, value是一个具体的Python变量值,返回其字符串,通常用于url方向引用

样例步骤:

  1. 在mysite文件夹创建converters.py
class MyConverter:
        regex = r'[0-9]{4}'

        def to_python(self, value):
            return int(value)

        def to_url(self, value):
            return '%04d' % value
  1. 在urls.py下导入
from django.urls import path,register_converter
from . import converters
  1. 创建对象
register_converter(converters.MyConverter, 'test')
  1. 在urlpatterns中添加
 path('articles/<yyyy:year>/', views.year_archive)

标签:articles,views,Django,学习,year,path,month,archive
来源: https://blog.csdn.net/qq_52143183/article/details/121446175