카이사르 암호

김주언·2022년 6월 25일
0

Python

목록 보기
2/3

  • 함수 활용~!

암호화

  1. encrypt 함수 생성하기
    text 와 shift를 매개변수로 받는다
  2. encrypt 함수내부에서 text의 각 문자를 알파벳 순서상에서 shift만큼 앞으로 옮긴다.
    예를 들어 text가 "hello"이고, shift가 5라면 "mjqqt"로 바뀌는 것
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']

direction = input("Type 'encode' to encrypt, type 'decode' to decrypt:\n")
text = input("Type your message:\n").lower()
shift = int(input("Type the shift number:\n"))


# 1
def encrypt(text, shift):
  encoded_text = ""
  # 2
  for idx, letter in enumerate(text):
    shifted_idx = alphabet.index(letter) + shift
    encoded_text  += alphabet[shifted_idx]
    print(f"The encoded text is {encoded_text}")

복호화

암호화 반대로 하면 된다

def decrypt(encoded_text, shift):
  plain_text = ""
  plain_text = ""
  for letter in encoded_text:
    shifted_idx = alphabet.index(letter) - shift
    plain_text += alphabet[shifted_idx]
  print(f"The decoded text is {plain_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', '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']

def caesar(start_text, shift_amount, cipher_direction):
  end_text = ""
  if cipher_direction == "decode":
    shift_amount *= -1
  for char in start_text:
    if char in alphabet:
      position = alphabet.index(char)
      new_position = position + shift_amount
      end_text += alphabet[new_position]
    else:
      end_text += char
  print(f"Here's the {cipher_direction}d result: {end_text}")
  
from art import logo
print(logo)

should_end = False
while not should_end:

  direction = input("Type 'encode' to encrypt, type 'decode' to decrypt:\n")
  text = input("Type your message:\n").lower()
  shift = int(input("Type the shift number:\n"))
  shift = shift % 26

  caesar(start_text=text, shift_amount=shift, cipher_direction=direction)

  restart = input("Type 'yes' if you want to go again. Otherwise type 'no'.\n")
  if restart == "no":
    should_end = True
    print("Goodbye")
    
profile
학생 점심을 좀 차리시길 바랍니다

0개의 댓글