这个错误通常是由于加密和解密操作之间的数据长度不一致导致的。下面是一个使用AES加密和解密的示例代码,并解决了这个错误:
from Crypto.Cipher import AES
from Crypto.Util.Padding import pad, unpad
import base64
def encrypt(plain_text, key):
cipher = AES.new(key, AES.MODE_CBC)
cipher_text = cipher.encrypt(pad(plain_text, AES.block_size))
iv = base64.b64encode(cipher.iv).decode('utf-8')
encrypted_text = base64.b64encode(cipher_text).decode('utf-8')
return iv + encrypted_text
def decrypt(encrypted_text, key):
iv = base64.b64decode(encrypted_text[:24])
cipher_text = base64.b64decode(encrypted_text[24:])
cipher = AES.new(key, AES.MODE_CBC, iv)
decrypted_text = unpad(cipher.decrypt(cipher_text), AES.block_size)
return decrypted_text.decode('utf-8')
key = b'Sixteen byte key'
plain_text = 'Hello, World!'
encrypted_text = encrypt(plain_text.encode('utf-8'), key)
decrypted_text = decrypt(encrypted_text, key)
print('Encrypted Text:', encrypted_text)
print('Decrypted Text:', decrypted_text)
在这个示例代码中,使用了Crypto库提供的AES模块进行加密和解密操作,并使用了CBC模式和PKCS7填充方式。在加密函数中,我们将密文和初始化向量(iv)进行Base64编码后拼接在一起返回。在解密函数中,我们将密文和iv从Base64编码中解码出来,并进行解密操作。
确保在使用加密和解密函数时,传递的密文长度和密钥长度是正确的,并且都是16个字节的倍数。如果密文长度和密钥长度不匹配,就会出现"ERR_OSSL_EVP_WRONG_FINAL_BLOCK_LENGTH"错误。