当前位置:   article > 正文

5 分钟,快速入门 Python JWT 接口认证

python3 hs256生成jwt

点击上方“AirPython”,选择“加为星标”

第一时间关注 Python 原创干货!

1. 前言

大家好,我是安果!

为了反爬或限流节流,后端编写接口时,大部分 API 都会进行权限认证,只有认证通过,即:数据正常及未过期才会返回数据,否则直接报错

本篇文章以 Django 为例,聊聊后端 JWT 接口认证的操作流程

2. JWT 介绍

JWT 全称为 JSON Web Token,是目前主流的跨域认证解决方案

数据结构由 3 部分组成,中间由「 . 」分割开

它们分别是:

  • Header 头部

  • Payload 负载

  • Signature 签名

  1. # JWT 数据的格式
  2. # 组成方式:头部.负载.签名
  3. Header.Payload.Signature

其中

Header 用于设置签名算法及令牌类型,默认签名算法为 「 HS256 」,令牌类型可以设置为「 JWT 」

Payload 用于设置需要传递的数据,包含:iss 签发人、exp 过期时间、iat 签发时间等

Signature 用于对 Header 和 Payload 进行签名,默认使用的签名算法为 Header 中指定的算法

  1. # JWT 数据组成
  2. # Header. Payload. Signature
  3. # Header:{ "alg""HS256","typ""JWT"}
  4. # Payload:iss、exp、iat等
  5. # Signature:签名
  6. Signature = HMACSHA256(
  7.   base64UrlEncode(header) + "." +
  8.   base64UrlEncode(payload),
  9.   secret)

PS:base64UrlEncode 相比 Base64 算法,会将结果中的「 = 」省略、「 + 」替换成「 - 」、「 / 」替换成「 _ 」

3. 实战一下

首先,在虚拟环境中安装 JWT 依赖包

  1. # 安装jwt依赖包
  2. pip3 install pyjwt

然后,定义一个方法用于生成 JWT Token

需要注意的是,生成 JWT Token 时需要指定过期时间、加密方式等

  1. import time
  2. import jwt
  3. from django.conf import settings
  4. def generate_jwt_token(user):
  5.     """
  6.     生成一个JWT Token
  7.     :param user:
  8.     :return:
  9.     """
  10.     # 设置token的过期时间戳
  11.     # 比如:设置7天过期
  12.     timestamp = int(time.time()) + 60 * 60 * 24 * 7
  13.     # 加密生成Token
  14.     # 加密方式:HS256
  15.     return jwt.encode({"userid": user.pk, "exp": timestamp}, settings.SECRET_KEY,'HS256')

接着,编写一个认证类

该类继承于「 BaseAuthentication 」基类,重写内部函数「 authenticate() 」,对请求参数进行 JWT 解密,并进行数据库查询,只有认证通过才返回数据,否则抛出异常

  1. import time
  2. import jwt
  3. from django.conf import settings
  4. from django.contrib.auth import get_user_model
  5. from rest_framework import exceptions
  6. from rest_framework.authentication import BaseAuthentication, get_authorization_header
  7. User = get_user_model()
  8. class JWTAuthentication(BaseAuthentication):
  9.     """自定义认证类"""
  10.     keyword = 'jwt'
  11.     model = None
  12.     def get_model(self):
  13.         if self.model is not None:
  14.             return self.model
  15.         from rest_framework.authtoken.models import Token
  16.         return Token
  17.     """
  18.     A custom token model may be used, but must have the following properties.
  19.     * key -- The string identifying the token
  20.     * user -- The user to which the token belongs
  21.     """
  22.     def authenticate(self, request):
  23.         auth = get_authorization_header(request).split()
  24.         if not auth or auth[0].lower() != self.keyword.lower().encode():
  25.             return None
  26.         if len(auth) !=2:
  27.             raise exceptions.AuthenticationFailed("认证异常!")
  28.         # jwt解码
  29.         try:
  30.             jwt_token = auth[1]
  31.             jwt_info = jwt.decode(jwt_token, settings.SECRET_KEY,'HS256')
  32.             # 获取userid
  33.             userid = jwt_info.get("userid")
  34.             # 查询用户是否存在
  35.             try:
  36.                 user = User.objects.get(pk=userid)
  37.                 return user, jwt_token
  38.             except Exception:
  39.                 raise exceptions.AuthenticationFailed("用户不存在")
  40.         except jwt.ExpiredSignatureError:
  41.             raise exceptions.AuthenticationFailed("抱歉,该token已过期!")

最后,在视图集 ViewSet 中,只需要在属性「 authentication_classes 」中指定认证列表即可

  1. from rest_framework import viewsets
  2. from .models import *
  3. from .serializers import *
  4. from .authentications import *
  5. class GoodsViewSet(viewsets.ModelViewSet):
  6.     # 所有商品数据
  7.     queryset = Goods.objects.all()
  8.     # 序列化
  9.     serializer_class = GoodsSerializer
  10.     # JWT授权
  11.     authentication_classes = [JWTAuthentication]

4. 最后

在实际项目中,一般在登录的时候生成 JWT Token,后续接口中只需要在请求头中设置 JWT Token 即可正常返回数据

  1. import requests
  2. url = "***.***.****"
  3. payload={}
  4. headers = {
  5.   'AUTHORIZATION''jwt eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJ1c2VyaWQiOiJVTmJCRTJTRlNndm5DU0c3amdQZGJVIiwiZXhwIjoxNjI2MDk5NDA5fQ.cxXsRulEWWQotNpb7XwlZbISrrpb7rSRCjkLsyb8WDM'
  6. }
  7. response = requests.request("GET", url, headers=headers, data=payload)
  8. print(response.text)

如果你觉得文章还不错,请大家 点赞、分享、留言 下,因为这将是我持续输出更多优质文章的最强动力!

????分享、点赞、在看,给个三连击呗!

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/笔触狂放9/article/detail/508546
推荐阅读
相关标签
  

闽ICP备14008679号