国产片侵犯亲女视频播放_亚洲精品二区_在线免费国产视频_欧美精品一区二区三区在线_少妇久久久_在线观看av不卡

腳本之家,腳本語言編程技術及教程分享平臺!
分類導航

Python|VBS|Ruby|Lua|perl|VBA|Golang|PowerShell|Erlang|autoit|Dos|bat|

服務器之家 - 腳本之家 - Python - Django rest framework工具包簡單用法示例

Django rest framework工具包簡單用法示例

2021-03-19 00:37鎧甲巨人 Python

這篇文章主要介紹了Django rest framework工具包簡單用法,結合匿名訪問控制的具體實例分析了Django rest framework工具包的注冊、路由設置、視圖、權限控制、配置等相關操作技巧,需要的朋友可以參考下

本文實例講述了Django rest framework工具包簡單用法。分享給大家供大家參考,具體如下:

Django rest framework 工具包做API非常方便。

下面簡單說一下幾個功能的實現方法。

實現功能為,匿名用戶訪問首頁一分鐘能訪問3次,登錄用戶一分鐘訪問6次,只有登錄用戶才能訪問order頁面。

第一步,注冊app

?
1
2
3
4
5
6
7
8
9
10
INSTALLED_APPS = [
  'django.contrib.admin',
  'django.contrib.auth',
  'django.contrib.contenttypes',
  'django.contrib.sessions',
  'django.contrib.messages',
  'django.contrib.staticfiles',
  'app.apps.AppConfig',
  'rest_framework', #注冊
]

settings文件注冊app

第二步,定義URL,注意url路徑最好使用名詞。我們這里注冊三個視圖函數的url,實現驗證,首頁和定單頁面。

?
1
2
3
4
5
6
7
8
9
from django.conf.urls import url
from django.contrib import admin
from app import views
urlpatterns = [
  url(r'^admin/', admin.site.urls),
  url(r'^auth/', views.AuthView.as_view()), #驗證
  url(r'^index/', views.IndexView.as_view()), #首頁
  url(r'^order/', views.OrderView.as_view()), #定單
]

url文件設置路由

第三步,auth視圖函數

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
from rest_framework.views import APIView
from rest_framework.request import Request
from django.http import JsonResponse,HttpResponse
from app.utils.commons import gen_token
from app.utils.auth import LuffyAuthentication
from app.utils.throttle import LuffyAnonRateThrottle,LuffyUserRateThrottle
from app.utils.permission import LuffyPermission
from . import models
class AuthView(APIView):
  """
  認證相關視圖
  由于繼承了APIView,所以csrf就沒有了,具體的源代碼只是有一個裝飾器,
  加上了csrf_exempt裝飾器,屏蔽了csrf
  寫法是在return的時候csrf_exempt(view) 和@使用裝飾器效果是一樣的,這種寫法還可以寫在url路由中。
  """
  def post(self,request,*args,**kwargs):
    """
    用戶登錄功能
    :param request:
    :param args:
    :param kwargs:
    :return:
    """
    ret = {'code': 1000, 'msg': None}
    # 默認要返回的信息
    user = request.data.get('username')
    # 這里的request已經不是原來的request了
    pwd = request.data.get('password')
    user_obj = models.UserInfo.objects.filter(user=user, pwd=pwd).first()
    if user_obj:
      tk = gen_token(user) #返回一個哈希過得字符串
      #進行token驗證
      models.Token.objects.update_or_create(user=user_obj, defaults={'token': tk})
      # 數據庫存入一個token信息
      ret['code'] = 1001
      ret['token'] = tk
    else:
      ret['msg'] = "用戶名或密碼錯誤"
    return JsonResponse(ret)

上面的代碼主要是實現了一個驗證的功能,通過gen_token函數來驗證,并存入數據庫信息。

gen_token單獨寫到一個utils目錄下的auth.py文件中。代碼如下:

?
1
2
3
4
5
6
7
def gen_token(username):
  import time
  import hashlib
  ctime = str(time.time())
  hash = hashlib.md5(username.encode('utf-8'))
  hash.update(ctime.encode('utf-8'))
  return hash.hexdigest()

通過時間和哈希等生成一個不重復的字符串。

第四步,index視圖函數

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class IndexView(APIView):
  """
  用戶認證
    http://127.0.0.1:8001/v1/index/?tk=sdfasdfasdfasdfasdfasdf
    獲取用戶傳入的Token
  首頁限制:request.user
    匿名:5/m
    用戶:10/m
  """
  authentication_classes = [LuffyAuthentication,]
  #認證成功返回一個用戶名,一個對象,不成功就是None
  throttle_classes = [LuffyAnonRateThrottle,LuffyUserRateThrottle]
  #訪問次數限制,如果合格都為True
  def get(self,request,*args,**kwargs):
    return HttpResponse('首頁')

同樣,將LuffyAuthentication,LuffyAnonRateThrottle,LuffyUserRateThrottle寫到了utils目錄下。代碼如下:

auth.py :

?
1
2
3
4
5
6
7
8
9
10
11
12
13
from rest_framework.authentication import BaseAuthentication
from rest_framework import exceptions
from app import models
class LuffyAuthentication(BaseAuthentication):
  def authenticate(self, request):
    tk = request.query_params.get('tk')
    if not tk:
      return (None,None)
      # raise exceptions.AuthenticationFailed('認證失敗')
    token_obj = models.Token.objects.filter(token=tk).first()
    if not token_obj:
      return (None,None)
    return (token_obj.user,token_obj)

驗證是否為登錄用戶,如果之前沒有登陸過,則將token信息存到數據庫

throttle.py :

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
from rest_framework.throttling import BaseThrottle,SimpleRateThrottle
class LuffyAnonRateThrottle(SimpleRateThrottle):
  scope = "luffy_anon"
  def allow_request(self, request, view):
    """
    Return `True` if the request should be allowed, `False` otherwise.
    """
    if request.user:
      return True
    # 獲取當前訪問用戶的唯一標識
    self.key = self.get_cache_key(request, view)
    # 根據當前用戶的唯一標識,獲取所有訪問記錄
    # [1511312683.7824545, 1511312682.7824545, 1511312681.7824545]
    self.history = self.cache.get(self.key, [])
    # 獲取當前時間
    self.now = self.timer()
    # Drop any requests from the history which have now passed the
    # throttle duration
    while self.history and self.history[-1] <= self.now - self.duration:
      self.history.pop()
    if len(self.history) >= self.num_requests:  #判斷訪問次數是否大于限制次數
      return self.throttle_failure()
    return self.throttle_success() #返回True
  def get_cache_key(self, request, view):
    return 'throttle_%(scope)s_%(ident)s' % {
      'scope': self.scope,
      'ident': self.get_ident(request),
      # 判斷是否為代理等等
    }
class LuffyUserRateThrottle(SimpleRateThrottle):
  scope = "luffy_user"
  def allow_request(self, request, view):
    """
    Return `True` if the request should be allowed, `False` otherwise.
    """
    if not request.user:  #判斷登錄直接返回True
      return True
    # 獲取當前訪問用戶的唯一標識
    # 用戶對所有頁面
    # self.key = request.user.user
    self.key = request.user.user + view.__class__.__name__
    # 用戶對單頁面的訪問限制
    # 根據當前用戶的唯一標識,獲取所有訪問記錄
    # [1511312683.7824545, 1511312682.7824545, 1511312681.7824545]
    self.history = self.cache.get(self.key, [])
    # 獲取當前時間
    self.now = self.timer()
    # Drop any requests from the history which have now passed the
    # throttle duration
    while self.history and self.history[-1] <= self.now - self.duration:
      self.history.pop()
    if len(self.history) >= self.num_requests:  #訪問次數的限制
      return self.throttle_failure()
    return self.throttle_success()  #返回True

限制匿名用戶和登錄用戶的訪問次數,需要從settings中的配置拿去配置信息。

permission.py

?
1
2
3
4
5
6
7
8
9
from rest_framework.permissions import BasePermission
class LuffyPermission(BasePermission):
  def has_permission(self, request, view):
    """
    Return `True` if permission is granted, `False` otherwise.
    """
    if request.user:
      return True
    return False

權限控制

第五步,order視圖函數

?
1
2
3
4
5
6
7
8
9
10
11
12
class OrderView(APIView):
  """
  訂單頁面:只有登錄成功后才能訪問
    - 認證(匿名和用戶)
    - 權限(用戶)
    - 限制()
  """
  authentication_classes = [LuffyAuthentication, ]
  permission_classes = [LuffyPermission,] #登錄就返回True
  throttle_classes = [LuffyAnonRateThrottle, LuffyUserRateThrottle]
  def get(self,request,*args,**kwargs):
    return HttpResponse('訂單')

第六步,settings配置

?
1
2
3
4
5
6
7
8
REST_FRAMEWORK = {
  'UNAUTHENTICATED_USER': None,
  'UNAUTHENTICATED_TOKEN': None,
  "DEFAULT_THROTTLE_RATES": {
    'luffy_anon': '3/m', #匿名用戶一分鐘訪問3次
    'luffy_user': '6/m'  #登錄用戶一分鐘訪問6次
  },
}

最后,實現功能為,匿名用戶訪問首頁一分鐘能訪問3次,登錄用戶一分鐘訪問6次,只有登錄用戶才能訪問order頁面。

學習Django rest framework需要隨時查看源代碼,判斷源代碼的邏輯思路來自定義自己的功能,如此學習效率極高。

希望本文所述對大家基于Django框架的Python程序設計有所幫助。

原文鏈接:https://www.cnblogs.com/ArmoredTitan/p/7882272.html

延伸 · 閱讀

精彩推薦
主站蜘蛛池模板: 国产精品久久久久久久久久久久冷 | 亚洲国产精品一区二区久久,亚洲午夜 | 91精品国产色综合久久不卡蜜臀 | 牛牛电影国产一区二区 | 五月婷婷在线视频 | 久久精品中文字幕 | 国外成人在线视频网站 | 国内精品一区二区三区 | 夜夜草视频 | 国产激情一区二区三区 | 精品视频久久 | 亚洲国产成人av好男人在线观看 | 久久综合久久久 | 在线观看黄 | 国产精品久久久久av | 国产激情精品一区二区三区 | 一区二区av | 一区二区日韩 | 国产资源视频在线观看 | 日韩欧美国产综合 | 毛片综合 | 久久精品小视频 | 91久久综合亚洲鲁鲁五月天 | 久久精品播放 | 麻豆av电影在线观看 | 国产小视频在线播放 | 九九香蕉视频 | 亚洲精品一二三区 | 国产一区二区三区在线观看视频 | 精品视频一区二区三区 | 日韩一区二区在线观看 | 成人在线天堂 | 色伊人 | 二区视频 | 国产精品欧美一区二区 | 99看| 久久99精品国产99久久6尤 | 日本久久综合 | 免费大片黄在线观看 | 亚洲人视频在线观看 | 一区二区三区视频在线观看 |