|
| 1 | +class MorseCode: |
| 2 | + # Morse code dictionary |
| 3 | + morse_dict = { |
| 4 | + 'A': '.-', 'B': '-...', 'C': '-.-.', 'D': '-..', 'E': '.', |
| 5 | + 'F': '..-.', 'G': '--.', 'H': '....', 'I': '..', 'J': '.---', |
| 6 | + 'K': '-.-', 'L': '.-..', 'M': '--', 'N': '-.', 'O': '---', |
| 7 | + 'P': '.--.', 'Q': '--.-', 'R': '.-.', 'S': '...', 'T': '-', |
| 8 | + 'U': '..-', 'V': '...-', 'W': '.--', 'X': '-..-', 'Y': '-.--', |
| 9 | + 'Z': '--..', '1': '.----', '2': '..---', '3': '...--', |
| 10 | + '4': '....-', '5': '.....', '6': '-....', '7': '--...', |
| 11 | + '8': '---..', '9': '----.', '0': '-----', ' ': '/' |
| 12 | + } |
| 13 | + |
| 14 | + @classmethod |
| 15 | + def encode(cls, text=""): |
| 16 | + """Encodes a given text into Morse code.""" |
| 17 | + if not text: |
| 18 | + text = "SOS" # Default value if no input is provided |
| 19 | + try: |
| 20 | + return ' '.join(cls.morse_dict[char.upper()] for char in text) |
| 21 | + except KeyError as e: |
| 22 | + print(f"Error: Character '{e.args[0]}' cannot be encoded in Morse code.") |
| 23 | + return None |
| 24 | + |
| 25 | + @classmethod |
| 26 | + def decode(cls, morse_code=""): |
| 27 | + """Decodes a given Morse code into plain text.""" |
| 28 | + if not morse_code: |
| 29 | + morse_code = "... --- ..." # Default value if no input is provided |
| 30 | + try: |
| 31 | + reverse_dict = {v: k for k, v in cls.morse_dict.items()} |
| 32 | + return ''.join(reverse_dict[code] for code in morse_code.split()) |
| 33 | + except KeyError as e: |
| 34 | + print(f"Error: Morse code '{e.args[0]}' cannot be decoded.") |
| 35 | + return None |
| 36 | + |
| 37 | + |
| 38 | +if __name__ == "__main__": |
| 39 | + # Example usage |
| 40 | + text = input("Enter text to encode (leave blank for default 'SOS'): ") |
| 41 | + morse_code = MorseCode.encode(text) |
| 42 | + print(f"Morse Code: {morse_code}") |
| 43 | + |
| 44 | + morse_input = input("Enter Morse code to decode (leave blank for default '... --- ...'): ") |
| 45 | + decoded_text = MorseCode.decode(morse_input) |
| 46 | + print(f"Decoded Text: {decoded_text}") |
0 commit comments