下面是使用Python中的Crypto库进行AES加密的代码示例:
from Crypto.Cipher import AES
from Crypto.Util.Padding import pad, unpad
from Crypto.Random import get_random_bytes
def encrypt(plaintext, key):
cipher = AES.new(key, AES.MODE_CBC)
ciphertext = cipher.encrypt(pad(plaintext, AES.block_size))
return cipher.iv + ciphertext
def decrypt(ciphertext, key):
iv = ciphertext[:AES.block_size]
ciphertext = ciphertext[AES.block_size:]
cipher = AES.new(key, AES.MODE_CBC, iv=iv)
plaintext = unpad(cipher.decrypt(ciphertext), AES.block_size)
return plaintext
# 示例使用128位的密钥和16字节的待加密数据
key = get_random_bytes(16)
plaintext = b'Hello, World!'
# 加密数据并输出
encrypted = encrypt(plaintext, key)
print("加密后的数据:", encrypted)
# 解密数据并输出
decrypted = decrypt(encrypted, key)
print("解密后的数据:", decrypted)
这段代码使用AES算法和CBC模式进行加密和解密。在加密过程中,使用了随机生成的初始化向量(IV),将IV和密文拼接起来作为输出。在解密过程中,根据密文前16个字节获取IV,然后使用相同的密钥和IV进行解密。最后,使用unpad
函数去除解密后的明文的填充。
请注意,这里的代码示例使用了Crypto
库,需要先通过pip install pycryptodome
安装。
下一篇:AES加密的不一致行为