第三篇:视图层

三板斧

'''
HttpResponse
    返回字符串类型
render
    返回html页面,并且返回给浏览器之前还可以给html文件传值
redirect
    重定向
'''
# 视图函数必须返回一个HttpResponse对象(研究三者的源码即可得出结论)
# render简单内部原理
def index(request):
    from django.template import Template, Context
    res = Template('<h1>{{ user }}</h1>')
    con = Context({'user': {'username': 'jiang', 'password': 123}})
    ret = res.render(con)
    print(ret)
    return HttpResponse(ret)

Request对象和Response对象

request对象

当一个页面被请求时,Django就会创建一个包含本次请求原信息的HttpRequest对象。Django会将这个对象自动传递给响应的视图函数,一般视图函数约定熟成地使用request参数承接这个对象。

请求相关的常用值
  • path_info     返回用户访问url,不包括域名
  • method        请求中使用的HTTP方法的字符串表示,全大写表示。
  • GET              包含所有HTTP  GET参数的类字典对象
  • POST           包含所有HTTP POST参数的类字典对象
  • body            请求体,byte类型 request.POST的数据就是从body里面提取到的

Response对象

HttpResponse类位于django.http模块中

HttpResponse.content:响应内容
HttpResponse.charset:响应内容的编码
HttpResponse.status_code:响应的状态码

JsonRedponse对象

"""
json格式的数据有什么用?
    前后端数据交互需要使用到json作为过渡 实现跨语言传输数据

前端序列化
    JSON.stringify()                    json.dumps()
    JSON.parse()                        json.loads()
"""
# 不用JsonResponse方法,让你给前端浏览器返回一个json格式的字符串
import json
from django.http import JsonResponse
def ab_json(request):
    user_dict = {'username':'yuanxiaojiang','password':'123','hobby':'girl'}
    l = [111,222,333,444,555]
    
    # 先转成json格式字符串
    # json_str = json.dumps(user_dict,ensure_ascii=False)  # <class 'str'>
    # 将该字符串返回
    # return HttpResponse(json_str)
    
# JsonResponse对象
    return JsonResponse(user_dict,json_dunp_params={'ensure_ascii':False})
    # 默认只能序列化字典 序列化其他需要加safe参数
    # return JsonResponse(l,safe=False)    

Django shortcut functions

rebder()

结合一个给定的模板和一个给定的上下文字典,并返回一个渲染后的 HttpResponse 对象。

参数:
     request: 用于生成响应的请求对象。
     template_name:要使用的模板的完整名称,可选的参数
     context:添加到模板上下文的一个字典。默认是一个空字典。如果字典中的某个值是可调用的,视图将在渲染模板之前调用它。
     content_type:生成的文档要使用的MIME类型。默认为 DEFAULT_CONTENT_TYPE 设置的值。默认为'text/html'
     status:响应的状态码。默认为200。
   useing: 用于加载模板的模板引擎的名称。

redirect()

参数可以是:

  • 一个模型:将调用模型的get_absolute_url() 函数
  • 一个视图,可以带有参数:将使用urlresolvers.reverse 来反向解析名称
  • 一个绝对的或相对的URL,将原封不动的作为重定向的位置。

默认返回一个临时的重定向;传递permanent=True 可以返回一个永久的重定向。

from表单上传文件及后端如何获取

'''
form表单上传文件类型的数据
    1、method必须指定为post
    2、enctype必须换成formdata
'''
def ab_file(request):
    if request.method == 'POST':
        print(request.POST)  # 只能获取普通的键值对数据,文件不行
        print(request.FILES)  # 获取文件数据
        file_obj = request.FILES.get('file')  # 文件对象
        # <MultiValueDict: {'file': [<InMemoryUploadedFile: 64b13eeb81a235daaa6b5677da6e8ce.png (image/png)>]}>
        print(file_obj.name)
        with open(file_obj.name,'wb') as f:
            for line in file_obj.chunks():  # 推荐加上chunks方法,其实跟不加都是一样的,一行行的读取
                f.write(line)
    return render(request,'form.html')
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
    <meta name="viewport" content="width=device-width, initial-scale=1">
    <link href="https://cdn.bootcss.com/twitter-bootstrap/3.4.1/css/bootstrap.min.css" rel="stylesheet">
    <script src="https://cdn.bootcss.com/jquery/3.3.1/jquery.min.js"></script>
    <script src="https://cdn.bootcss.com/twitter-bootstrap/3.4.1/js/bootstrap.min.js"></script>
</head>
<body>
<form action="" method="post" enctype="multipart/form-data">
    <p>username: <input type="text" name="username"></p>
    <p>file: <input type="file" name="file"></p>
    <input type="submit">
</form>
</body>
</html>
form.html

FBV和CBV

# 视图函数既可以是函数也可以是类
def index(request):
  return HttpResponse('index')

# CBV路由
url(r'^login/',views.MyLogin.as_view())

from django.views import View
    class MyLogin(View):
        def get(self,request):
            return render(request,'form.html')
        def post(self,request):
            return HttpResponse('post方法')
      
# form.html
<body>
<form action="" method="post">
    <input type="submit">
</form>
</body>
"""
CBV特点
    能够直接根据请求方式的不同直接匹配到对应的方法执行
"""

CBV源码解析

# 突破口在urls.py
url(r'^login/',views.MyLogin.as_view())
# url(r'^login/',views.view)  FBV一模一样
# CBV与FBV在路由匹配上本质是一样的 都是路由 对应 函数内存地址
"""
函数名/方法名 加括号执行优先级最高
猜测
    as_view()
        要么是被@staicmethod修饰的静态方法
        要么是被@classmethod修饰的类方法
        
    @classonlymethod
    def as_view(cls, **initkwargs):
        pass
"""

    @classonlymethod
    def as_view(cls, **initkwargs):
        """
        cls就是我们自己写的类   MyLogin
        Main entry point for a request-response process.
        """
        def view(request, *args, **kwargs):
            self = cls(**initkwargs)  # cls是我们自己写的类
            # self = MyLogin(**initkwargs)  产生一个我们自己写的类的对象
            return self.dispatch(request, *args, **kwargs)
            """
            以后你们会经常需要看源码 但是在看python源码的时候 一定要时刻提醒自己面向对象属性方法查找顺序
                先从对象自己找
                再去产生对象的类里面找
                之后再去父类找
                ...
            总结:看源码只要看到了self点一个东西 一定要问你自己当前这个self到底是谁
            """
        return view
      
        # CBV的精髓
    def dispatch(self, request, *args, **kwargs):
        # 获取当前请求的小写格式 然后比对当前请求方式是否合法
        # get请求为例
        # post请求
        if request.method.lower() in self.http_method_names:
            handler = getattr(self, request.method.lower(), self.http_method_not_allowed)
            """
            反射:通过字符串来操作对象的属性或者方法
                handler = getattr(自己写的类产生的对象,'get',当找不到get属性或者方法的时候就会用第三个参数)
                handler = 我们自己写的类里面的get方法
            """
        else:
            handler = self.http_method_not_allowed
        return handler(request, *args, **kwargs)
        """
        自动调用get方法
        """

# 要求掌握到不看源码也能够描述出CBV的内部执行流程(******)
posted @ 2023-03-01 17:27  猿小姜  阅读(9)  评论(0编辑  收藏  举报