AES 只是个基本算法,实现 AES 有几种模式,主要有 ECB、CBC、CFB 和 OFB CTR,直接上代码,此处为AES加密中的CBC模式,EBC模式与CBC模式相比,不需要iv。
import base64from Crypto.Cipher import AES
from binascii import b2a_hex, a2b_hex
unpad = lambda s: s[:-ord(s[len(s) - 1:])]
class AES3:
def __init__(self, key):
self.key = key
self.mode = AES.MODE_CBC
self.iv = self.key
def _pad(self, text):
key_len = len(self.key)
pad = text + (key_len - len(text) % key_len) * chr(key_len - len(text) % key_len)
return pad
def _unpad(self, text):
pad = ord(text[-1:])
return text[0:-pad]
# 加密函数
def encrypt(self, text):
length = 16
count = len(text)
if count % length != 0:
add = length - (count % length)
else:
add = 0
text = text + ('\0' * add)
cryptor = AES.new(self.key.encode("utf8"), self.mode, self.iv.encode("utf8"))
self.ciphertext = cryptor.encrypt(bytes(text, encoding="utf8"))
# AES加密时候得到的字符串不一定是ascii字符集的,输出到终端或者保存时候可能存在问题,使用base64编码
return base64.b64encode(b2a_hex(self.ciphertext)).decode('utf-8')
# 解密函数
def decrypt(self, text):
decode = base64.b64decode(text)
cryptor = AES.new(self.key.encode("utf8"), self.mode, self.iv.encode("utf8"))
plain_text = unpad(cryptor.decrypt(decode))
return a2b_hex(plain_text) .decode('utf8')
RSA公钥加密,私钥解密
from Crypto.PublicKey import RSA
from Crypto.Cipher import PKCS1_v1_5 as Cipher_pkcs1_v1_5
from Crypto.Signature import PKCS1_v1_5 as Signature_pkcs1_v1_5
import base64
# 私钥
private_key = '''-----BEGIN RSA PRIVATE KEY-----
5353dfggd
-----END RSA PRIVATE KEY-----
'''
# 公钥
public_key = '''-----BEGIN PUBLIC KEY-----
hfgghftetet
-----END PUBLIC KEY-----'''
def rsa_encrypt(message):
"""校验RSA加密 使用公钥进行加密"""
cipher = Cipher_pkcs1_v1_5.new(RSA.importKey(public_key))
cipher_text = base64.b64encode(cipher.encrypt(message.encode())).decode()
return cipher_text
def rsa_decrypt(text):
"""校验RSA加密 使用私钥进行解密"""
cipher = Cipher_pkcs1_v1_5.new(RSA.importKey(private_key))
retval = cipher.decrypt(base64.b64decode(text), 'ERROR').decode('utf-8')
return retval
DES加解密
from pyDes import *
import base64
class Des3(object):
def __init__(self, key, iv):
# 这里密钥key长度必须为16/24, ,偏移量ivs
self.key = key
self.mode = CBC
self.iv = iv
# 加密函数,如果text不是16的倍数【加密文本text必须为16的倍数!】,那就补足为16的倍数
def encrypt(self, text):
des3 = triple_des(self.key, self.mode, self.iv, pad=None, padmode=PAD_PKCS5)
data = des3.encrypt(text)
data = base64.b64encode(data)
return data.decode('utf-8')
# 解密后,去掉补足的空格用strip() 去掉
def decrypt(self, data):
des3 = triple_des(self.key, self.mode, self.iv, pad=None, padmode=PAD_PKCS5)
data = base64.b64decode(data)
text = des3.decrypt(data)
return text.decode('hex')
以上就是python des,aes,rsa加解密的实现的详细内容,更多关于python des,aes,rsa加解密的资料请关注软件开发网其它相关文章!
您可能感兴趣的文章:Python 实现RSA加解密文本文件python实现凯撒密码、凯撒加解密算法Python实现密钥密码(加解密)实例详解利用python实现凯撒密码加解密功能Python3加密解密库Crypto的RSA加解密和签名/验签实现方法实例Python内置方法实现字符串的秘钥加解密(推荐)python实现AES和RSA加解密的方法python实现栅栏加解密 支持密钥加密python下读取公私钥做加解密实例详解