zoukankan      html  css  js  c++  java
  • Django视图

    视图函数的作用是,对指定的url执行业务逻辑,视图函数将会作为model层和template层的桥梁,最主要的逻辑是操作数据库以及完成模板渲染前的上下文准备。

    一  HttpRequest请求对象

    当请求一个页面的时候,Django就创建一个HttpRequest对象,它包含了关于请求的元数据对象,然后Django加载适当的视图,并将HttpRequest作为视图函数的第一个参数,一般会被设置为request,每个视图负责返回一个HttpResponse对象。

    def author(request):
        print(request.path,request.path_info)
        print(request)
        print(request.GET)
        print(request.POST)
        
        # / mainapp / author / / mainapp / author /
        # < WSGIRequest: GET '/mainapp/author/' >
        # < QueryDict: {} >  类似于字典的对象
        # < QueryDict: {} >

    Django将浏览器的请求信息封装在WSGIrequest对象中,不同于socket的一大段字符串。

    常用接口:

    
    HttpRequest.method  请求方法
    HttpRequest.GET   对应GET请求类型的数据字典
    HttpRequest.POST    对应POST请求类型的数据字典
    HttpRequest.path   请求的路径,不包含域名和参数,HttpRequest.path_info返回结果一致
    HttpRequest.get_full_path() 请求的路径,不包含域名,但包含参数 HttpRequest.is_ajax() 判断是否为ajax形式的请求 

    注意:键值对的值是多个的时候,比如checkbox类型的input标签,select标签,需要用:

    request.POST.getlist("hobby")

    1. HttpRequest主要属性

    django将请求报文中的请求行、头部信息、内容主体封装成 HttpRequest 类中的属性。
    
    0.HttpRequest.scheme
       表示请求方案的字符串(通常为http或https)
    
    1.HttpRequest.body
      一个字符串,代表请求报文的主体。在处理非 HTTP 形式的报文时非常有用,例如:二进制图片、XML,Json等。
      但是,如果要处理表单数据的时候,推荐还是使用 HttpRequest.POST 。
      另外,我们还可以用 python 的类文件方法去操作它,详情参考 HttpRequest.read() 。
    
    2.HttpRequest.path
      一个字符串,表示请求的路径组件(不含域名,不含参数)。
      例如:"/music/bands/the_beatles/"
    
    3.HttpRequest.method
      一个字符串,表示请求使用的HTTP 方法。必须使用大写。
      例如:"GET""POST"
    
    4.HttpRequest.encoding
      一个字符串,表示提交的数据的编码方式(如果为 None 则表示使用 DEFAULT_CHARSET 的设置,默认为 'utf-8')。
       这个属性是可写的,你可以修改它来修改访问表单数据使用的编码。
       接下来对属性的任何访问(例如从 GET 或 POST 中读取数据)将使用新的 encoding 值。
       如果你知道表单数据的编码不是 DEFAULT_CHARSET ,则使用它。
    
    5.HttpRequest.GET 
      一个类似于字典的对象,包含 HTTP GET 的所有参数。详情请参考 QueryDict 对象。
     
    6.HttpRequest.POST
      一个类似于字典的对象,如果请求中包含表单数据,则将这些数据封装成 QueryDict 对象。
      POST 请求可以带有空的 POST 字典 —— 如果通过 HTTP POST 方法发送一个表单,但是表单中没有任何的数据,QueryDict 对象依然会被创建。
       因此,不应该使用 if request.POST  来检查使用的是否是POST 方法;应该使用 if request.method == "POST" 
      另外:如果使用 POST 上传文件的话,文件信息将包含在 FILES 属性中。
    
     7.HttpRequest.COOKIES
      一个标准的Python 字典,包含所有的cookie。键和值都为字符串。
    
    8.HttpRequest.FILES
      一个类似于字典的对象,包含所有的上传文件信息。
       FILES 中的每个键为<input type="file" name="" /> 中的name,值则为对应的数据。
      注意,FILES 只有在请求的方法为POST 且提交的<form> 带有enctype="multipart/form-data" 的情况下才会
       包含数据。否则,FILES 将为一个空的类似于字典的对象。
    
    9.HttpRequest.META
       一个标准的Python 字典,包含所有的HTTP首部。具体的头部信息取决于客户端和服务器:
        CONTENT_LENGTH —— 请求的正文的长度(是一个字符串)。
        CONTENT_TYPE —— 请求的正文的MIME 类型。
        HTTP_ACCEPT —— 响应可接收的Content-Type。
        HTTP_ACCEPT_ENCODING —— 响应可接收的编码。
        HTTP_ACCEPT_LANGUAGE —— 响应可接收的语言。
        HTTP_HOST —— 客服端发送的HTTP Host 头部。
        HTTP_REFERER —— Referring 页面。
        HTTP_USER_AGENT —— 客户端的user-agent 字符串。
        QUERY_STRING —— 单个字符串形式的查询字符串(未解析过的形式)。
        REMOTE_ADDR —— 客户端的IP 地址。
        REMOTE_HOST —— 客户端的主机名。
        REMOTE_USER —— 服务器认证后的用户。
        REQUEST_METHOD —— 一个字符串,例如"GET""POST"。
        SERVER_NAME —— 服务器的主机名。
        SERVER_PORT —— 服务器的端口(是一个字符串)。
       从上面可以看到,除 CONTENT_LENGTH 和 CONTENT_TYPE 之外,请求中的任何 HTTP 首部转换为 META 的键时,
        都会将所有字母大写并将连接符替换为下划线最后加上 HTTP_  前缀。
        所以,一个叫做 X-Bender 的头部将转换成 META 中的 HTTP_X_BENDER 键。
    
    10.HttpRequest.user
      一个 AUTH_USER_MODEL 类型的对象,表示当前登录的用户。
      如果用户当前没有登录,user 将设置为 django.contrib.auth.models.AnonymousUser 的一个实例。你可以通过 is_authenticated() 区分它们。
        例如:
        if request.user.is_authenticated():
            # Do something for logged-in users.
        else:
            # Do something for anonymous users.
           user 只有当Django 启用 AuthenticationMiddleware 中间件时才可用。
         -------------------------------------------------------------------------------------
        匿名用户
        class models.AnonymousUser
        django.contrib.auth.models.AnonymousUser 类实现了django.contrib.auth.models.User 接口,但具有下面几个不同点:
        id 永远为None。
        username 永远为空字符串。
        get_username() 永远返回空字符串。
        is_staff 和 is_superuser 永远为False。
        is_active 永远为 False。
        groups 和 user_permissions 永远为空。
        is_anonymous() 返回True 而不是False。
        is_authenticated() 返回False 而不是True。
        set_password()、check_password()、save() 和delete() 引发 NotImplementedError。
        New in Django 1.8:
        新增 AnonymousUser.get_username() 以更好地模拟 django.contrib.auth.models.User。
     
    11.HttpRequest.session
       一个既可读又可写的类似于字典的对象,表示当前的会话。只有当Django 启用会话的支持时才可用。
        完整的细节参见会话的文档。

    2. HttpRequest主要方法

    1.HttpRequest.get_host()
    
      根据从HTTP_X_FORWARDED_HOST(如果打开 USE_X_FORWARDED_HOST,默认为False)和 HTTP_HOST 头部信息返回请求的原始主机。
       如果这两个头部没有提供相应的值,则使用SERVER_NAME 和SERVER_PORT,在PEP 3333 中有详细描述。
      USE_X_FORWARDED_HOST:一个布尔值,用于指定是否优先使用 X-Forwarded-Host 首部,仅在代理设置了该首部的情况下,才可以被使用。
      例如:"127.0.0.1:8000"
      注意:当主机位于多个代理后面时,get_host() 方法将会失败。除非使用中间件重写代理的首部。
     
    2.HttpRequest.get_full_path()
      返回 path,如果可以将加上查询字符串。不包含域名,但包含参数
      例如:"/music/bands/the_beatles/?print=true"
    3.HttpRequest.get_signed_cookie(key, default=RAISE_ERROR, salt='', max_age=None)   返回签名过的Cookie 对应的值,如果签名不再合法则返回django.core.signing.BadSignature。   如果提供 default 参数,将不会引发异常并返回 default 的值。   可选参数salt 可以用来对安全密钥强力攻击提供额外的保护。max_age 参数用于检查Cookie 对应的时间戳以确保Cookie 的时间不会超过max_age 秒。 复制代码 >>> request.get_signed_cookie('name') 'Tony' >>> request.get_signed_cookie('name', salt='name-salt') 'Tony' # 假设在设置cookie的时候使用的是相同的salt >>> request.get_signed_cookie('non-existing-cookie') ... KeyError: 'non-existing-cookie' # 没有相应的键时触发异常 >>> request.get_signed_cookie('non-existing-cookie', False) False >>> request.get_signed_cookie('cookie-that-was-tampered-with') ... BadSignature: ... >>> request.get_signed_cookie('name', max_age=60) ... SignatureExpired: Signature age 1677.3839159 > 60 seconds >>> request.get_signed_cookie('name', False, max_age=60) False 复制代码 4.HttpRequest.is_secure()   如果请求时是安全的,则返回True;即请求通是过 HTTPS 发起的。 5.HttpRequest.is_ajax()   如果请求是通过XMLHttpRequest 发起的,则返回True,方法是检查 HTTP_X_REQUESTED_WITH 相应的首部是否是字符串'XMLHttpRequest'。   大部分现代的 JavaScript 库都会发送这个头部。如果你编写自己的 XMLHttpRequest 调用(在浏览器端),你必须手工设置这个值来让 is_ajax() 可以工作。   如果一个响应需要根据请求是否是通过AJAX 发起的,并且你正在使用某种形式的缓存例如Django 的 cache middleware, 你应该使用 vary_on_headers('HTTP_X_REQUESTED_WITH') 装饰你的视图以让响应能够正确地缓存。

    二   shortcut functions

    与HttpRequest请求对象相对应的HttpResponse类位于django.http模块中,一般不用。大多数情况调用:

    from django.shortcuts import render, HttpResponse, redirect

    1. HttpResponse

    返回字符串类型

    2. render

    def render(request, template_name, context=None, content_type=None, status=None, using=None):
    • request: 用于生成响应的请求对象。
    • template_name:要使用的模板的完整名称,字符串
    • context:添加到模板上下文的一个字典。默认是一个空字典。如果字典中的某个值是可调用的,视图将在渲染模板之前调用它。
     return render(request,'author.html',{'li':li})

    3. redirect

    3.1 传递一个具体的ORM对象

    from django.shortcuts import redirect
     
    def my_view(request):
        ...
        object = MyModel.objects.get(...)
        return redirect(object)

    3.2 传递一个视图的名称

    def my_view(request):
        ...
        return redirect('some-view-name', foo='bar')

    3.3 重定向一个具体的网址

    def my_view(request):
        ...
        return redirect('/some/url/')

    3.4 一个完整的网址

    def my_view(request):
        ...
        return redirect('http://example.com/')

    参考:官方解释

    https://docs.djangoproject.com/en/dev/topics/http/shortcuts/

    三  JsonResponse对象

    JsonResponse是HttpResponse的子类,专门用来生成JSON编码的响应。

    from django.shortcuts import render, HttpResponse, redirect
    from django.http import JsonResponse
    import json
    
    def author(request):
        dic = {'1': 'matt'}
        # return HttpResponse(json.dumps(dic))  #Content-Type:text/html; charset=utf-8,返回到前端的是json格式,还需要loads
        return JsonResponse(dic)      #Content-Type:application/json,返回到前端的是字典类型

    默认只能传递字典类型,如果要传递非字典类型需要设置一下safe关键字参数。

    response = JsonResponse([1, 2, 3], safe=False)

    四  CBV与FBV

    1. 定义

    经典解读:https://www.cnblogs.com/guapitomjoy/p/11754362.html

    1.1 FBV

    def add_class(request):
        if request.method == "POST":
            class_name = request.POST.get("class_name")
            models.Classes.objects.create(name=class_name)
            return redirect("/class_list/")
        return render(request, "add_class.html")

    1.2 CBV

    from django.views import View
    
    class AddClass(View):
        def get(self, request):
            return render(request, "add_class.html")
    
        def post(self, request):
            class_name = request.POST.get("class_name")
            models.Classes.objects.create(name=class_name)
            return redirect("/class_list/")

    注意:使用CBV时,urls.py中也做对应的修改:

    # urls.py中
    url(r'^add_class/$', views.AddClass.as_view()),  #本质为反射

    2. FBV视图上添加csrf装饰器

    from django.views.decorators.csrf import csrf_exempt
    @csrf_exempt  #需要验证
    def index(request):
        return render(request,'index.html')
    
    @csrf_exempt #该函数无需认证
    def ajax_add(request):
        s1=int(request.GET.get('s1'))
        s2=int(request.GET.get('s2'))
    
        print(s1,s2)
        s=s1+s2
        return HttpResponse(s)

    3. CBV视图上添加csrf装饰器

    3.1  在get或post方法上添加

    一个一个函数的添加

    from django.utils.decorators import method_decorator
    
    class HomeView(View):
        def dispatch(self, request, *args, **kwargs):
            return super(HomeView, self).dispatch(request, *args, **kwargs)
        def get(self, request):
            return render(request, "home.html")
    
        @method_decorator(check_login)  #括号内为装饰器函数名
        def post(self, request):
            print("Home View POST method...")
            return redirect("/index/")

    3.2 在dispatch方法上添加

    一次性get和post都添加

    from django.utils.decorators import method_decorator
    class HomeView(View):
        @method_decorator(check_login)
        def dispatch(self, request, *args, **kwargs):
            return super(HomeView, self).dispatch(request, *args, **kwargs)
    
        def get(self, request):
            return render(request, "home.html")
        def post(self, request):
            print("Home View POST method...")
            return redirect("/index/")

    因为CBV中首先执行的就是dispatch方法,所以这么写相当于给get和post方法都加上了登录校验

    3.3  直接加在视图类上

    method_decorator必须传 name 关键字参数

    如果get方法和post方法都需要登录校验的话就写两个装饰器。

    from django.utils.decorators import method_decorator
    @method_decorator(check_login, name="get")
    @method_decorator(check_login, name="post")
    
    class HomeView(View):
        def dispatch(self, request, *args, **kwargs):
            return super(HomeView, self).dispatch(request, *args, **kwargs)
        def get(self, request):
            return render(request, "home.html")
        def post(self, request):
            print("Home View POST method...")
        return redirect("/index/")

    CSRF Token相关装饰器在CBV只能加到dispatch方法上,或者加在视图类上然后name参数指定为dispatch方法。

    备注:

    • csrf_protect,为当前函数强制设置防跨站请求伪造功能,即便settings中没有设置全局中间件。
    • csrf_exempt,取消当前函数防跨站请求伪造功能,即便settings中设置了全局中间件。
    from django.views.decorators.csrf import csrf_exempt, csrf_protect
    from django.utils.decorators import method_decorator
    class HomeView(View):
        @method_decorator(csrf_exempt)
        def dispatch(self, request, *args, **kwargs):
            return super(HomeView, self).dispatch(request, *args, **kwargs)
    def get(self, request):
        return render(request, "home.html")
    def post(self, request):
        print("Home View POST method...")
    return redirect("/index/")

    或者:

    from django.views.decorators.csrf import csrf_exempt, csrf_protect
    from django.utils.decorators import method_decorator
    @method_decorator(csrf_exempt, name='dispatch')
    class HomeView(View):
        def dispatch(self, request, *args, **kwargs):
            return super(HomeView, self).dispatch(request, *args, **kwargs)
    def get(self, request):
        return render(request, "home.html")
    def post(self, request):
        print("Home View POST method...")
        return redirect("/index/")
  • 相关阅读:
    mysql六:数据备份、pymysql模块
    mysql三:表操作
    mysql四:数据操作
    剑指offer-数组
    剑指offer-回溯
    中缀表达式到后缀表达式的转换
    大数取余算法的证明及实现
    Windows下匿名管道进程通信
    Windows下使用命令行界面调用VS2015编译器编译C++程序方法
    6 个技巧,提升 C++11 的 vector 性能
  • 原文地址:https://www.cnblogs.com/mushuiyishan/p/11572597.html
Copyright © 2011-2022 走看看