mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-24 05:21:09 +00:00
9d745b6156
* updating DIRECTORY.md * updating DIRECTORY.md * Fixed accidental commit of file I have't touched * fixup! Format Python code with psf/black push * updating DIRECTORY.md * updating DIRECTORY.md * Fixed some suggested coding style issues * Update rsa_key_generator.py * Update rsa_key_generator.py Co-authored-by: github-actions <${GITHUB_ACTOR}@users.noreply.github.com> Co-authored-by: John Law <johnlaw.po@gmail.com>
98 lines
1.8 KiB
Python
98 lines
1.8 KiB
Python
# Python program to implement Morse Code Translator
|
|
|
|
# Dictionary representing the morse code chart
|
|
MORSE_CODE_DICT = {
|
|
"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": "--..",
|
|
"1": ".----",
|
|
"2": "..---",
|
|
"3": "...--",
|
|
"4": "....-",
|
|
"5": ".....",
|
|
"6": "-....",
|
|
"7": "--...",
|
|
"8": "---..",
|
|
"9": "----.",
|
|
"0": "-----",
|
|
"&": ".-...",
|
|
"@": ".--.-.",
|
|
":": "---...",
|
|
",": "--..--",
|
|
".": ".-.-.-",
|
|
"'": ".----.",
|
|
'"': ".-..-.",
|
|
"?": "..--..",
|
|
"/": "-..-.",
|
|
"=": "-...-",
|
|
"+": ".-.-.",
|
|
"-": "-....-",
|
|
"(": "-.--.",
|
|
")": "-.--.-",
|
|
# Exclamation mark is not in ITU-R recommendation
|
|
"!": "-.-.--",
|
|
}
|
|
|
|
|
|
def encrypt(message: str) -> str:
|
|
cipher = ""
|
|
for letter in message:
|
|
if letter != " ":
|
|
cipher += MORSE_CODE_DICT[letter] + " "
|
|
else:
|
|
cipher += "/ "
|
|
|
|
# Remove trailing space added on line 64
|
|
return cipher[:-1]
|
|
|
|
|
|
def decrypt(message: str) -> str:
|
|
decipher = ""
|
|
letters = message.split(" ")
|
|
for letter in letters:
|
|
if letter != "/":
|
|
decipher += list(MORSE_CODE_DICT.keys())[
|
|
list(MORSE_CODE_DICT.values()).index(letter)
|
|
]
|
|
else:
|
|
decipher += " "
|
|
|
|
return decipher
|
|
|
|
|
|
def main():
|
|
message = "Morse code here"
|
|
result = encrypt(message.upper())
|
|
print(result)
|
|
|
|
message = result
|
|
result = decrypt(message)
|
|
print(result)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
main()
|