首页 >后端开发 >Python教程 >使用Python进行对称数据加密

使用Python进行对称数据加密

Susan Sarandon
Susan Sarandon原创
2025-01-04 10:58:35507浏览

Symmetric data encryption with Python

欢迎来到下一个 pikoTutorial !

在 Python 中执行对称加密的最简单方法之一是使用加密模块中的 Fernet 算法。让我们使用命令安装它:

pip install cryptography

有了可用的加密模块,让我们编写第一个加密脚本:

# import Fernet
from cryptography.fernet import Fernet
# Generate a key
key = Fernet.generate_key()
# Create a Fernet instance providing the generated key
fernet = Fernet(key)
# Encrypt the data
data = b'Some secret data'
encrypted_data = fernet.encrypt(data)
# Decrypt the data
decrypted_data = fernet.decrypt(encrypted_data)
print(f"Decrypted text: {decrypted_data.decode()}")

初学者注意:加密和解密数据时都需要密钥,因此您不能每次都生成新密钥。加密数据后,您需要存储密钥,但因为它是允许您解密数据的东西,所以请记住以某种安全的方式存储它!

上例中生成的密钥由随机字节组成。此类密钥非常安全,但通常您需要基于密码的加密 - 我所说的密码是指一些易于人类理解并由用户作为输入动态提供的短语。下面您可以找到 Python 代码,展示如何从用户处获取密码作为输入以及如何将其转换为加密密钥:

# import utility for Base64 encoding
import base64
# import Fernet
from cryptography.fernet import Fernet
# import getpass for secure input reading
from getpass import getpass
# read plain text password
plain_text_password: str = getpass(prompt='Password: ')
# Fernet requires 32 byte key, so the password also must have 32 characters
if len(plain_text_password) != 32:
    raise RuntimeError(f'Password length must be equal 32!')
# Encode plain text password to ASCII bytes
password_ascii: bytes = plain_text_password.encode('ascii')
# Fernet requires key to be url-safe base64-encoded
key: bytes = base64.urlsafe_b64encode(password_ascii)
# Create a Fernet instance providing the generated key
fernet = Fernet(key)
# Encrypt the data
data = b'Some secret data'
encrypted_data = fernet.encrypt(data)
# Decrypt the data
decrypted_data = fernet.decrypt(encrypted_data)
print(f"Decrypted text: {decrypted_data.decode()}")

高级说明:本 pikoTutorial 重点介绍如何使用 Fernet 进行对称加密,因此它简化了加密密钥的创建。在实践中,当您需要根据用户提供的密码创建加密密钥时,您应该使用密钥派生函数,例如 PBKDF2HMAC。

以上是使用Python进行对称数据加密的详细内容。更多信息请关注PHP中文网其他相关文章!

声明:
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn