最简单的视图函数
获取请求方法
利用 request.method 能获取请求方法。实现restful风格 的接口
对于post请求,要放开限制
函数视图语法糖的使用
from rest_framework.decorators import api_view
右边是定义了一个允许使用的method种类, 请求一个不被允许的,就会提示出来,左边会直接报错,
使用 类视图实现
参考一、视图类、视图集_api_settings.default_renderer_classes-CSDN博客
获取请求传递的参数
1 .路径参数(get请求一般传这种)
获取值
request.GET[”key"]
推荐:res= reuqest.GET。get("key", None) 表示:如果没有传值,默认返None,后续就可以 if res:来决定做不做
推荐: request。GET.getlist("key")----->返回是 []
2.post表单
获取值(和1一样):(中间GET 写成 POST)
requst。POST。get
3. post 的json数据
直接使用request.body
为了方式传的不json字符串, json.loads就会报错
这里就可以try catch
4. file multipart/data
5 请求头的获取
两种写法:
A可以这样 request.headers["名称"]
B也可以这样,前面加上了 HTTP_ 注意- 会转化成_
补充: 如果使用了语法糖,or 视图类APIView ,
- request
- get的 ?neme=xxx 参数,同样用 request.GET 或者 request.query_params
- post请求的 表单格式,或者是json格式数据,都可以用request.data来获取 数据。
from django.http import HttpResponse,JsonResponse
from rest_framework.decorators import api_view
@api_view(['POST','PUT','DELETE','GET' ])
def request_a0(request):
# print(request)
if request.method =='POST':
print(request.POST) # POST请求,form表单格式时,这样拿
# print(request.body) # POST请求,json格式时,这样拿
print(request.data) # 不管是json,还是 表单, 都用request.data获取请求体中的数据, 不过, 使用了api_view语法糖才能这么用,
return HttpResponse("这是POST请求")
elif request.method =='GET':
print(request.GET.get('name',None))
print(request.query_params.get('name',None) )
return JsonResponse("这是GET请求",safe=False) # safe=False,表示可以返回非字典类型的数据
项目应用举例:
项目来源:对资源的增查改删处理 | 白月黑羽
可以定义一个 统一处理请求的方法 如下:
import json
from django.http import JsonResponse
def dispatcher(request):
# 将请求参数统一放入request 的 params 属性中,方便后续处理
# GET请求 参数 在 request 对象的 GET属性中
if request.method == 'GET':
request.params = request.GET
elif request.method == 'POST' and "请求头是表单":
request.params = request.POST
# POST/PUT/DELETE 请求 参数 从 request 对象的 body 属性中获取
elif request.method in ['POST','PUT','DELETE']:
# 根据接口,POST/PUT/DELETE 请求的消息体都是 json格式
request.params = json.loads(request.body)
# 根据不同的action分派给不同的函数进行处理
action = request.params['action']
if action == 'list_customer':
return listcustomers(request)
elif action == 'add_customer':
return addcustomer(request)
elif action == 'modify_customer':
return modifycustomer(request)
elif action == 'del_customer':
return deletecustomer(request)
else:
return JsonResponse({'ret': 1, 'msg': 'action参数错误'})
这样定义后,取参数的方式都是 用request.params 来获取:
如: 首先获取 request.params['action'],根据是哪个action来分派用哪个函数如是listcustomers 还是addcustomer。
再后面定义listcustomers(request) 和addcustomer(request)时,
也是用request.params['data'] 来获取参数。
好处就是不管是get请求,post还是delete的 请求, 都是用request.params['xx'] 来获取参数 。
对于该接口模式,在前端请求时就需要定义action 是什么。
优化成公共的方法: