Django之序列化类的使用、form表单上传文件、其它request方法、CBV的写法

【1】序列化类的使用

        【1.1】Django项目中如何使用序列化
# 第一步:导入方法

from django.http import JsonResponse

# 第二步,使用

# 2.1 定义一个需要序列化的数据

  def index(request):
    user_dict = {'username':'jack','age':18}

    # 序列化

    return JsonResponse(user_dict)
 
'''
注意事项:
    在序列化一个不是字典的数据时,在序列化的时候需要给JsonResponse中的safe这个参数的值改为False

'''

def index(request):
    user_list = [1,2,3,4,5]

    # 序列化

    return JsonResponse(user_list,safe=False)

【2】form表单上传文件

  • 【2.1】form表单上传文件需要满足的条件
    • 请求方式必须是post(method=' post ')
    • 编码类型必须是multipart/form-data(enctype="multipart/form-data")
  • 【2.2】后端接收文件使用的方法
    • request.FILES
      • 接收文件数据
    • request.FILES.get('file')
      • 获取文件对象

【3】其它request方法

  • request.FILES
    • 接收form表单传过来的文件数据
  • reqeust.FILES.get('')
    • 获取文件对象
  • reqeust.path
    • 获取网址栏上的地址,不能获得参数
  • request.path_info
    • 获取网址栏上的地址,不能获得参数
  • reqeust.get_full_path()
    • 不仅能获取网址栏上的地址,还能获取网址栏上的参数

【4】CBV的写法

FBV:function based view ---------- 写的都是函数

CBV:class based view  ------------ 写的都是类

views.py文件:

from django.view import View


class MyLogin(View):
    def get(self,request):
        return HttpResponse("get")

    def post(self, request):
        return HttpResponse("hello postman")




urls.py文件:
    
    url(r'^login/',view.MyLogin.as_view())

        CBV中类中的函数名只能写以下列表中的,其余的不能写。

http_method_names = ['get', 'post', 'put', 'patch', 'delete', 'head', 'options', 'trace']

你可能感兴趣的:(django,python,后端)