公钥密码RSA实验 用Python语言,调用程序库中的RSA算法,实现公钥和私钥的生成及加解密。
时间: 2024-10-12 20:08:44 浏览: 41
rsa.zip_RSA 公钥加密_rsa_rsa私钥加密
5星 · 资源好评率100%
RSA(Rivest-Shamir-Adleman)是一种非对称加密算法,它基于大数因子分解的难度,用于数据的安全传输。在Python中,我们可以利用`cryptography`库来实现RSA算法。以下是使用Python实现公钥和私钥生成以及加解密的基本步骤:
首先,你需要安装`cryptography`库,可以使用pip安装:
```bash
pip install cryptography
```
然后,你可以按照以下代码示例来操作:
```python
from cryptography.hazmat.primitives import hashes
from cryptography.hazmat.primitives.asymmetric import rsa, padding
from cryptography.hazmat.backends import default_backend
# 生成RSA密钥对
def generate_keys():
private_key = rsa.generate_private_key(
public_exponent=65537,
key_size=2048,
backend=default_backend()
)
public_key = private_key.public_key()
return private_key, public_key
# 加密函数(使用公钥)
def encrypt(message, public_key):
ciphertext = public_key.encrypt(
message.encode(), # 将字符串转换为字节
padding.OAEP(
mgf=padding.MGF1(algorithm=hashes.SHA256()),
algorithm=hashes.SHA256(),
label=None
)
)
return ciphertext
# 解密函数(使用私钥)
def decrypt(ciphertext, private_key):
plaintext = private_key.decrypt(
ciphertext, # 字节形式
padding.OAEP(
mgf=padding.MGF1(algorithm=hashes.SHA256()),
algorithm=hashes.SHA256(),
label=None
)
)
return plaintext.decode()
# 示例
private_key, public_key = generate_keys()
message = "Hello, RSA!"
encrypted_message = encrypt(message, public_key)
decrypted_message = decrypt(encrypted_message, private_key)
print(f"原始消息: {message}")
print(f"加密后: {encrypted_message.hex()}")
print(f"解密后: {decrypted_message}")
阅读全文