1. 程式人生 > >django中的FBV和CBV

django中的FBV和CBV

include 使用 method htm elf ext 小寫 logs test

django中請求處理方式有2種:FBV 和 CBV

一、FBV

FBV(function-based views) 就是在視圖裏使用函數處理請求。

urls.py

from django.conf.urls import url, include
# from django.contrib import admin
from mytest import views
 
urlpatterns = [
    # url(r‘^admin/‘, admin.site.urls),
    url(r‘^index/‘, views.index),

views.py

from django.shortcuts import
render def index(request): if request.method == ‘POST‘: print(‘method is :‘ + request.method) elif request.method == ‘GET‘: print(‘method is :‘ + request.method) return render(request, index.html)

註意此處定義的是函數【def index(request):】

index.html

<!DOCTYPE html>
<html lang="
en"> <head> <meta charset="UTF-8"> <title>index</title> </head> <body> <form action="" method="post"> <input type="text" name="A" /> <input type="submit" name="b" value="提交" /> </form> </body> </html>

上面就是FBV的使用。

二、CBV

CBV(class-based views) 就是在視圖裏使用類處理請求。

將上述代碼中的urls.py 修改為如下:

from mytest import views
 
urlpatterns = [
    # url(r‘^index/‘, views.index),
    url(r^index/, views.Index.as_view()),
]

註:url(r‘^index/‘, views.Index.as_view()), 是固定用法。

將上述代碼中的views.py 修改為如下:

from django.views import View
 
 
class Index(View):
    def get(self, request):
        print(method is : + req.method)
        return render(request, index.html)
 
    def post(self, request):
        print(method is : + request.method)
        return render(request, index.html)

註:類要繼承 View ,類中函數名必須小寫。

django中的FBV和CBV