在Python中使用pycryptodome库实现AES加密并进行填充。示例如下:
from Crypto.Cipher import AES
from Crypto.Util.Padding import pad, unpad
data = b'This is a secret message'
key = b'1234567890123456' # 16 bytes key for AES-128
iv = b'abcdefghijklmnop' # 16 bytes initialization vector
cipher = AES.new(key, AES.MODE_CBC, iv)
ciphertext = cipher.encrypt(pad(data, AES.block_size))
print('Ciphertext:', ciphertext)
decipher = AES.new(key, AES.MODE_CBC, iv)
message = unpad(decipher.decrypt(ciphertext), AES.block_size)
print('Message:', message)
在这个示例中,我们使用AES-128算法进行加密,并使用CBC模式和固定的初始化向量(IV)。为了使被加密的数据长度能够被分成整个块,我们使用pad
函数添加填充。加密后的输出是二进制数据,所以我们使用unpad
函数在解密之前删除填充。