恺撒密码 python
时间: 2023-10-28 14:01:58 浏览: 151
恺撒密码是一种简单的替换密码,它通过将字母按照一定的位移量进行替换来加密文本。在Python中,你可以使用以下代码来实现恺撒密码的加密和解密:
```python
def caesar_cipher(text, shift):
encrypted_text = ""
for char in text:
if char.isalpha():
ascii_offset = ord('A') if char.isupper() else ord('a')
encrypted_char = chr((ord(char) - ascii_offset + shift) % 26 + ascii_offset)
encrypted_text += encrypted_char
else:
encrypted_text += char
return encrypted_text
# 加密示例
plaintext = "Hello, World!"
shift_amount = 3
encrypted_text = caesar_cipher(plaintext, shift_amount)
print("加密后的文本:", encrypted_text)
# 解密示例
decrypted_text = caesar_cipher(encrypted_text, -shift_amount)
print("解密后的文本:", decrypted_text)
```
这段代码定义了一个 `caesar_cipher` 函数,它接受两个参数:待加密/解密的文本 `text` 和位移量 `shift`。在加密过程中,字母会按照位移量进行替换,非字母字符保持不变。解密过程与加密过程相反,通过将位移量取反来恢复原始文本。
以上代码中的例子使用了一个位移量为3的恺撒密码进行加密和解密。你可以根据自己的需求修改位移量和待加密/解密的文本。
阅读全文