Vigenere没有在python中加密我的消息

时间:2017-05-30 20:32:50

标签: python vigenere

所以我一直在完成一项使用创建凯撒和vigenere密码的任务。我已经创建了凯撒密码,几乎完成了vigenere。我遇到的问题是实际的加密本身。在我的代码中,我已经得到了所有标点符号和大写的明智,但当我只是使用print来测试我的函数时,它只是向我发出相同的短语。我不确定问题是我的函数在执行函数的其余部分之前读取关键字还是我错过了什么。任何帮助将不胜感激!

def alphabet_position(letter):
    alphabet_pos = {'A':0, 'a':0, 'B':1, 'b':1, 'C':2, 'c':2, 'D':3,
'd':3, 'E':4, 'e':4, 'F':5, 'f':5, 'G':6, 'g':6, 'H':7, 'h':7, 'I':8,
'i':8, 'J':9, 'j':9, 'K':10, 'k':10, 'L':11, 'l':11, 'M':12, 'm':12,
'N': 13, 'n':13, 'O':14, 'o':14, 'P':15, 'p':15, 'Q':16, 'q':16,
'R':17, 'r':17, 'S':18, 's':18, 'T':19, 't':19, 'U':20, 'u':20, 'V':21,
'v':21, 'W':22, 'w':22, 'X':23, 'x':23, 'Y':24, 'y':24, 'Z':25, 'z':25
}
    pos = alphabet_pos[letter]
    return pos

def rotate_character(char, rot):
    if (ord(char) >= 97) and (ord(char) <= 122): # lowercase
        return chr(97+(alphabet_position(char)+rot)%26)
    elif (ord(char) >= 65) and (ord(char) <=90): # uppercase
        return chr(65+(alphabet_position(char)+rot)%26)
    else:
        return char

def encrypt(text, key):
    encrypted = []    
    starting_index = 0
    for letter in text:
    # if it's alphanumerical, keep it that way
    # find alphabet position
        rotation = alphabet_position(key[starting_index])
            # if it's a space or non-alphabetical character, append and move on
        if letter != alphabet_position:
            encrypted.append(letter)
        elif letter.isalpha():            
            encrypted.append(rotation(letter, rotation))             

    #if we've reached last index, reset to zero, otherwise + by 1
        if starting_index == (len(key) - 1): 
            starting_index = 0
        else: 
            starting_index += 1

    return ''.join(encrypted)  

2 个答案:

答案 0 :(得分:1)

你的问题在于这一行:

  if letter != alphabet_position:

由于alphabet_position是功能,因此它总是与字母不同。因此,您执行下一条指令,该指令将letter原样附加到结果中。

答案 1 :(得分:1)

这一行:

if letter != alphabet_position:

不会判断letter是否为字母。它只是将letter(一个字符串)的值与alphabet_position(一个函数)的值进行比较,它们永远不会相等。所以它总是运行该代码块,只是将字母添加到encrypted

您可以使用string.isalpha()功能。

if not letter.isalpha():

您还可以将alphabet_pos字典设为全局变量,并使用:

if letter not in alphabet_pos: