使用列表来实现凯撒密码是相对简单易懂的方法。下面是一个示例代码:def caesar_cipher(text): # 定义字母表 alphabet = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'] # 定义密钥,这里假设 C 对应 E key = 2 # 将文本转换为大写字母,并存储在列表中 plaintext = list(text.upper()) # 对每个字母进行加密 ciphertext = [] for letter in plaintext: if letter in alphabet: # 找到字母在字母表中的索引 index = alphabet.index(letter) # 对索引进行偏移,加上密钥 shifted_index = (index + key) % 26 # 根据偏移后的索引找到对应的字母 shifted_letter = alphabet[shifted_index] ciphertext.append(shifted_letter) else: # 对于非字母字符,直接保留原样 ciphertext.append(letter) # 将加密后的字母列表转换为字符串 ciphertext = ''.join(ciphertext) return ciphertext# 测试plaintext = "HELLO"ciphertext = caesar_cipher(plaintext)print("明文:", plaintext)print("密文:", ciphertext)
以上代码定义了一个 caesar_cipher 函数,接受一个参数 text 表示明文。在函数中,我们首先定义了一个包含所有大写字母的列表 alphabet,然后定义了密钥 key,这里假设 C 对应 E,所以密钥为 2。
接下来,我们将传入的明文转换成大写字母,并存储在 plaintext 列表中。然后逐个字符对明文进行加密,如果是字母,则找到对应的索引,根据密钥进行偏移,并根据偏移后的索引找到对应的字母。对于非字母字符,直接保留原样。
最后,将加密后的字母列表转换为字符串,并返回加密后的密文。
在测试部分,我们使用明文 "HELLO" 进行加密,并输出明文和密文。运行代码后,输出结果为:
[/code]
明文: HELLO
密文: JGNNQ
[/code]
可以看到,明文中的每个字母都按照凯撒密码进行了加密。
球一个最佳答案谢谢啦!这对我非常重要! |