Python3 AES加解密

Python3 AES加解密

  • Python3 AES加解密
    • 简介
    • 实现的思路
    • 依赖模块
    • 代码

Python3 AES加解密

高级加密标准(英语:Advanced Encryption Standard,缩写:AES),在密码学中又称Rijndael加密法,是美国联邦政府采用的一种区块加密标准。这个标准用来替代原先的DES,已经被多方分析且广为全世界所使用。经过五年的甄选流程,高级加密标准由美国国家标准与技术研究院(NIST)于2001年11月26日发布于FIPS PUB 197,并在2002年5月26日成为有效的标准。2006年,高级加密标准已然成为对称密钥加密中最流行的算法之一。

简介

AES拥有很多模式,而此次采用的CBC模式:用key和iv(初始向量,加密第一块明文), 再加上扰码(随机数)

实现的思路

将加密文本处理以8*16位 这样的单位进行加密,每16个字节长度的数据加密成16个字节长度的密文。在下面代码中,秘钥为key,位移为iv。

依赖模块

pip install pycrypto

Windows 安装失败,请先安装Microsoft Visual C++ 14.0

代码

from Crypto.Cipher import AES
from binascii import b2a_hex, a2b_hex
import random, string


class EncryptAES():
    def __init__(self):
        self.key = 'abcdegfg12345678'
        self.iv = 'abcdegfg12345678'
        self.mode = AES.MODE_CBC

    # 加密
    # 这里密钥key 长度必须为16(AES-128)、24(AES-192)、或32(AES-256)
    def encrypt(self, text):
        cryptor = AES.new(self.key, self.mode, self.iv)
        length = 16
        count = len(text)
        if count % length != 0:
            add = length - (count % length)
        else:
            add = 0
        text = text + ('\0' * add)
        ciphertext = cryptor.encrypt(text)
        # 加密后的字符串转化为16进制字符串 ,当然也可以转换为base64加密的内容,可以使用b2a_base64(self.ciphertext)
        # 添加8位随机数作为扰码
        return b2a_hex(ciphertext).decode()+VariableAction.get_random_str()

    # 解密后,去掉补足的空格用strip() 去掉
    def decrypt(self, text):
        cryptor = AES.new(self.key, self.mode, self.iv)
        # 先去除末尾的8位扰码, 需跟加密对应
        plaintext = cryptor.decrypt(a2b_hex(text[:-8]))
        return plaintext.decode().strip('\0')
	
	@staticmethod
	def get_random_string(length='8'):
		return ''.join(random.sample(string.ascii_letters + string.digits, length))


if __name__ == '__main__':
    aes = EncryptAES()  # 初始化密钥
    e_result = aes.encrypt("dmeo")
    d_result = pc.decrypt(e_result)
    print(en_result)
    print(d_result)

你可能感兴趣的:(Python,加密)