溫馨提示×

python數(shù)據(jù)加密代碼怎么寫

小億
98
2023-12-12 17:09:57
欄目: 編程語言

在Python中,可以使用各種算法對數(shù)據(jù)進(jìn)行加密。以下是使用AES算法對數(shù)據(jù)進(jìn)行加密和解密的示例代碼:

from Crypto.Cipher import AES
from Crypto.Random import get_random_bytes

def encrypt_data(data, key):
    cipher = AES.new(key, AES.MODE_EAX)
    nonce = cipher.nonce
    ciphertext, tag = cipher.encrypt_and_digest(data)
    return nonce + ciphertext + tag

def decrypt_data(encrypted_data, key):
    nonce = encrypted_data[:16]
    ciphertext = encrypted_data[16:-16]
    tag = encrypted_data[-16:]
    cipher = AES.new(key, AES.MODE_EAX, nonce)
    decrypted_data = cipher.decrypt_and_verify(ciphertext, tag)
    return decrypted_data

# 隨機(jī)生成16字節(jié)的密鑰
key = get_random_bytes(16)

# 要加密的數(shù)據(jù)
data = b"Hello, World!"

# 加密數(shù)據(jù)
encrypted_data = encrypt_data(data, key)
print("加密后的數(shù)據(jù):", encrypted_data)

# 解密數(shù)據(jù)
decrypted_data = decrypt_data(encrypted_data, key)
print("解密后的數(shù)據(jù):", decrypted_data.decode())

請注意,這個(gè)例子使用了Crypto模塊,它需要安裝pycryptodome庫。你可以使用pip命令安裝它:

pip install pycryptodome

此代碼使用AES算法使用16字節(jié)的密鑰對數(shù)據(jù)進(jìn)行加密和解密。加密后的數(shù)據(jù)包括一個(gè)16字節(jié)的隨機(jī)生成的nonce,加密的數(shù)據(jù)本身,以及一個(gè)16字節(jié)的tag,用于驗(yàn)證數(shù)據(jù)的完整性。在解密時(shí),需要使用相同的密鑰和nonce來解密數(shù)據(jù)并驗(yàn)證tag。

0