Vigenere Cipher,在 122/z 之前循环

Vigenere Cipher, loops before 122/z

我一直在编写 Vigenere 密码,但程序在到达第 26 个字母 z 之前循环返回。如果该值为 122,它不会打印 z 或什至 a,而是打印第 96 个 ASCII 字符 - `.

这是我的代码:

def getMode():
    while True:
       mode = input("enter encrypt, e, decrypt or d: ")
       if mode in 'encrypt e decrypt d ENCRYPT E DECRYPT D Encrypt Decrypt'.split():
           return mode
       else:
           input('Please enter encrypt or decrypt to start: ')

mode = getMode()
message = input('Enter your message: ')
for char in ' ?.,:;-!/':
    message = message.replace(char,'')
key = input('Enter the one word key: ')
times = len(message)//len(key)+1
encryptedKey = (times*key)[:len(message)]

output = []
for character in message:
    number = ord(character) - 96
    output.append(number)

outputKey = []
for character in encryptedKey:
    numberKey = ord(character) - 96
    outputKey.append(numberKey)

if mode[0] == 'd':
    outputKey = [-x for x in outputKey]

encryptedMessage = [(outputKey[i] + output[i])%26 for i in range(len(output))]
finalMessage = ''.join(chr(c + 96) for c in encryptedMessage)

print(message)
print(encryptedKey)
print(outputKey)
print(output)
print(encryptedMessage)
print('Your encrypted message is: ' + finalMessage)

基本上,如果我输入这个:

enter encrypt, e, decrypt or d: e
Enter your message: abcdefghijklmnopqrstuvwxyz
Enter the one word key: yo
abcdefghijklmnopqrstuvwxyz
yoyoyoyoyoyoyoyoyoyoyoyoyo
[25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15]
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26]
[0, 17, 2, 19, 4, 21, 6, 23, 8, 25, 10, 1, 12, 3, 14, 5, 16, 7, 18, 9, 20, 11, 22, 13, 24, 15]
Your encrypted message is: `qbsdufwhyjalcnepgritkvmxo

应该是 z 26 的数字现在是 `,我不知道我做了什么来提前完成这个循环。

这是个小问题,但确实会搞砸消息。感谢任何帮助 - 如果已经有这样的问题(虽然我找不到)请将我重定向到它!

谢谢!

你的问题是 26 % 26 是 0 而不是 26!因此,您得到的不是 z (chr(96 + 26)),而是 ` (chr(96 + 0)).

您可以轻松修复它,但在 encrypted_message 计算机中一步一步。 :

encryptedMessage = [(outputKey[i] + output[i] - 1)%26 + 1 for i in range(len(output))]

您将正确得到:

[25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15, 25, 15]
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26]
[26, 17, 2, 19, 4, 21, 6, 23, 8, 25, 10, 1, 12, 3, 14, 5, 16, 7, 18, 9, 20, 11, 22, 13, 24, 15]
Your encrypted message is: zqbsdufwhyjalcnepgritkvmxo

在 ASCII 中 'a' 是 97。 你的第一个字符是 0+96 所以 '`' 而不是 'a'.

在严格的 Vigenere 密码中,当您加密 'a' 时,它应该成为关联的密钥字母('a' 没有转换)。 在你的例子中 'a' 变为 0 而不是 25.

我认为您应该将字母从 0 到 25 而不是 1 到 26 排序。即使用 97 而不是 96。

所以你会得到 0 到 25 之间的数字。一旦你添加 97,你就会得到从 'a' 到 'z' 的字母。

希望我的回答没有大错。如果是这样,我会根据需要进行编辑或删除。 ;-)