django FBV +CBV 视图处理方式总结

1、FBV(function base views)

在视图里使用函数处理请求。

url:
        re_path('fbv', views.fbv),
        # url(r'^fbv', views.fbv),

func:
        def fbv(requset):
                return render(requset,'fbv_Cbv.html')

2、CBV (class base views)

url:

re_path('cbv', views.Cbv.as_view()),
# url(r'^cbv', views.Cbv.as_view()),


class:

from django.views import View
#导入View模块
class Home(View):  #使用类处理需要继承View(view是Home的父类,Home是子类)  
        def get(self,request): #自动识别,如果用户请求方式:get,那么自动调用该方法执行结果
                print(request.method)
                return render(request, 'home.html')

      def post(self,request):
             print(request.method)#自动识别,如果用户请求方式:post,那么自动调用该方法执行结果
            return render(request, 'home.html')

3、FBV+CBV 获取数据、返回数据的命令参数

    A.获取数据的几种方式
        request.method
        request.GET
        request.POST
        request.FILES
        request.path_info
        request.COOKIES
        reqeust.body    #所有内容的原生数据

  B.获取checkbox等多选的内容
        request.POST.getlist()
        request.GET.getlist()

        #所以分成两类
        request.body  #用户请求的原生数据,以字符串形式存放

        request.PUT
        request.DELECT
        request.MOVE
       #django对上面3种没有做处理,所以我们操作以上3种的时候就需要通过request.body获取原生数据:字符串形式

      request.Meta
       #出了数据外,请求头相关的信息,如:判断用户是PC端还是移动端

       request.method(POST、GET、PUT..)
       request.path_info
       request.COOKIES

  C.接收上传文件,注意:模板文件html的form标签必须做特殊设置:enctype="multipart/form-data"
        obj = request.FILES.get('file')
        obj.name    #取该文件名
        obj.size       #取该文件的字节大小
        obj.chunks  #取该文件的块


        file_path = os.path.join('%s\\upload'%os.path.dirname(os.path.abspath(__file__)), obj.name)  #当前文件的目录下的upload目录和接收文件名进行拼接成文件路径
        f = open(obj.name,mode= 'wb') #如果该路径文件存在就打开,不存在就创建
        for item in obj.chunks():
            f.write(item) #写入文件
        f.close()     #关闭文件
            
 D、返回给用户的几种方式                  

           
        return render(request,'模板路径.html',{'list':[1,2,3,4],'dict': {'k1':'v1','k2':'v2'} })  #返回给用户指定经过模板渲染后的html
        retune redirect(’url路径’)        #跳转到指定url
        retune HttpResponse(‘字符串’)  #直接返回给用户字符串

       response = HttpResponse(a)
       response.set_cookie(‘key’:’value’)  #设置客户端cookie
       response[‘name’] = ‘bur’   #设置客户端响应头
       return response

猜你喜欢

转载自www.cnblogs.com/yoyo008/p/10892827.html