《Python游戏编程快速上手》第十四章----凯撒密码

《Python游戏编程快速上手》的第十二章主要讲了笛卡尔坐标系的基本数学知识,我就不重现了;然后第十三章主要是一个笛卡尔坐标系的小应用,这个小应用也是非常简单的,所以我就不重现了。
今天主要看下第十四章–凯撒密码。
凯撒密码是最简单的密码学,就是有一个密码表(加密者和解密者都知道,其他人不知道),还有一个位移(同样是只有加密者和解密者知道,不过代码中为了熟悉密码学,这个位移是公开的)。
原理非常简单,所以直接上代码:



CODE = "1234567890ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz+-*/,.()"
length = len(CODE)

def encrypt(text, num):
    res = ""
    for t in text:
        if t in CODE:
            res += CODE[(CODE.index(t) - num)%length]
        else:
            res += t
    return res

def decrypt(text, num):
    res = ""
    for t in text:
        if t in CODE:
            res += CODE[(CODE.index(t) + num)%length]
        else:
            res += t
    return res

def mian():
    print("Do you wish to encrypt or decrypt a message?")
    wish = ''
    res = ''
    while True:
        wish = input()
        if wish not in ['encrypt', 'decrypt']:
            print("Please input correct word.")
        else:
            break
    print("Enter your message:")
    message = input()
    print("Enter the key number (1 - "+str(length)+" )")
    number = int(input())
    if wish == "encrypt":
        res = encrypt(message, number)
    else:
        res = decrypt(message, number)
    print("Your translated text is:")
    print(res)

if __name__=="__main__":
    mian()

要注意的一点是,代码中在请输入位移时给出的提示是在0到length之间,实际上这个超出这个范围也是可以的,甚至负数也是可以的。

----------------------------------------------------------------------------------------------------------------
加油吧,少年!

你可能感兴趣的:(python游戏)