可以使用簡單的凱撒密碼來對字符串進行加密。以下是一個使用凱撒密碼實現字符串加密和解密的示例代碼:
def encrypt(text, shift):
encrypted_text = ""
for char in text:
if char.isalpha():
if char.islower():
encrypted_text += chr((ord(char) - ord('a') + shift) % 26 + ord('a'))
elif char.isupper():
encrypted_text += chr((ord(char) - ord('A') + shift) % 26 + ord('A'))
else:
encrypted_text += char
return encrypted_text
def decrypt(encrypted_text, shift):
return encrypt(encrypted_text, -shift)
# 測試加密和解密
text = "Hello, World!"
shift = 3
encrypted_text = encrypt(text, shift)
decrypted_text = decrypt(encrypted_text, shift)
print("Original text:", text)
print("Encrypted text:", encrypted_text)
print("Decrypted text:", decrypted_text)
在上面的示例代碼中,encrypt
函數將輸入的字符串進行加密,decrypt
函數將加密后的字符串進行解密。您可以根據需要更改shift
的值來改變加密和解密的偏移量。