nightfury commited on
Commit
9e8347c
·
verified ·
1 Parent(s): bff1887

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +249 -1
app.py CHANGED
@@ -19,6 +19,254 @@ MORSE_CODE_DICT = {
19
  }
20
  MORSE_TO_CHAR = {v: k for k, v in MORSE_CODE_DICT.items()}
21
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
22
  # Morse code timing (in seconds)
23
  DIT_DURATION = 0.1 # 100ms for dit
24
  DAH_DURATION = 3 * DIT_DURATION # 300ms for dah
@@ -215,7 +463,7 @@ with gr.Blocks(title="Morse Code Decoder & Generator") as demo:
215
 
216
  # Launch the app
217
  demo.launch()
218
-
219
  '''
220
  import gradio as gr
221
  import numpy as np
 
19
  }
20
  MORSE_TO_CHAR = {v: k for k, v in MORSE_CODE_DICT.items()}
21
 
22
+ # Morse code timing (in seconds)
23
+ DIT_DURATION = 0.1 # 100ms for dit
24
+ DAH_DURATION = 3 * DIT_DURATION
25
+ SPACE_DURATION = 7 * DIT_DURATION
26
+ CHAR_SPACE = DIT_DURATION
27
+ SAMPLE_RATE = 44100
28
+
29
+ # Decode Morse from audio beeps
30
+ def decode_morse_from_audio(audio_data, is_file=False):
31
+ if audio_data is None:
32
+ return "", ""
33
+ if is_file:
34
+ sample_rate, data = wavfile.read(audio_data)
35
+ else:
36
+ sample_rate, data = audio_data
37
+ if len(data.shape) > 1:
38
+ data = data.mean(axis=1)
39
+ data = data / np.max(np.abs(data))
40
+
41
+ threshold = 0.1
42
+ signal = data > threshold
43
+ morse_code, decoded_text = "", ""
44
+ i = 0
45
+
46
+ while i < len(signal) - int(SAMPLE_RATE * DIT_DURATION):
47
+ if signal[i]:
48
+ start = i
49
+ while i < len(signal) and signal[i]:
50
+ i += 1
51
+ duration = (i - start) / sample_rate
52
+ morse_code += "-" if duration >= DAH_DURATION else "."
53
+ else:
54
+ start = i
55
+ while i < len(signal) and not signal[i]:
56
+ i += 1
57
+ pause = (i - start) / sample_rate
58
+ if pause >= SPACE_DURATION and morse_code:
59
+ decoded_text += " "
60
+ morse_code = ""
61
+ elif pause >= DIT_DURATION and morse_code:
62
+ decoded_text += MORSE_TO_CHAR.get(morse_code, "?")
63
+ morse_code = ""
64
+ i += 1
65
+
66
+ if morse_code:
67
+ decoded_text += MORSE_TO_CHAR.get(morse_code, "?")
68
+ return morse_code, decoded_text.strip()
69
+
70
+ # Decode Morse from text (e.g., ".... . .-.. .-.. ---")
71
+ def decode_morse_from_text(morse_text):
72
+ if not morse_text:
73
+ return ""
74
+ words = morse_text.split("/")
75
+ decoded_text = ""
76
+ for word in words:
77
+ chars = word.strip().split()
78
+ for char in chars:
79
+ decoded_text += MORSE_TO_CHAR.get(char, "?")
80
+ decoded_text += " "
81
+ return decoded_text.strip()
82
+
83
+ # Convert text to Morse code
84
+ def text_to_morse(text):
85
+ text = text.upper()
86
+ morse = " ".join(MORSE_CODE_DICT.get(char, "?") for char in text if char in MORSE_CODE_DICT)
87
+ return morse
88
+
89
+ # Generate Morse audio from Morse code string
90
+ def generate_morse_audio(morse):
91
+ audio = []
92
+ frequency = 750
93
+
94
+ for symbol in morse.split():
95
+ if symbol == "/":
96
+ audio.extend([0] * int(SAMPLE_RATE * SPACE_DURATION))
97
+ else:
98
+ for char in symbol:
99
+ duration = DAH_DURATION if char == "-" else DIT_DURATION
100
+ t = np.linspace(0, duration, int(SAMPLE_RATE * duration), False)
101
+ tone = 0.5 * np.sin(2 * np.pi * frequency * t)
102
+ audio.extend(tone)
103
+ audio.extend([0] * int(SAMPLE_RATE * DIT_DURATION))
104
+ audio.extend([0] * int(SAMPLE_RATE * CHAR_SPACE))
105
+
106
+ audio = np.array(audio, dtype=np.float32)
107
+ with tempfile.NamedTemporaryFile(suffix=".wav", delete=False) as temp_file:
108
+ sf.write(temp_file.name, audio, SAMPLE_RATE, format="wav")
109
+ return temp_file.name
110
+
111
+ # Speech to text (for both plain speech and spoken Morse)
112
+ def speech_to_text(audio_path):
113
+ recognizer = sr.Recognizer()
114
+ with sr.AudioFile(audio_path) as source:
115
+ audio_data = recognizer.record(source)
116
+ try:
117
+ return recognizer.recognize_google(audio_data)
118
+ except sr.UnknownValueError:
119
+ return "Could not understand audio"
120
+ except sr.RequestError:
121
+ return "Speech recognition service unavailable"
122
+
123
+ # Highlight alphabet
124
+ def generate_alphabet_html(decoded_text):
125
+ html = "<div style='font-family: monospace; font-size: 16px;'>"
126
+ for char in MORSE_CODE_DICT.keys():
127
+ color = "red" if char in decoded_text.upper() else "black"
128
+ html += f"<span style='color: {color}; margin: 5px;'>{char}: {MORSE_CODE_DICT[char]}</span>"
129
+ if char in "AEIMQUZ":
130
+ html += "<br>"
131
+ html += "</div>"
132
+ return html
133
+
134
+ # Main processing function
135
+ def process_input(text=None, speech=None, live_audio=None, upload_audio=None, morse_text=None, morse_speech=None, morse_audio=None):
136
+ morse_output, text_output, audio_output = "", "", None
137
+
138
+ # Encoding: Text/Speech/Audio to Morse
139
+ if text: # Plain text to Morse
140
+ morse_output = text_to_morse(text)
141
+ text_output = text
142
+ audio_output = generate_morse_audio(morse_output)
143
+
144
+ elif speech: # Spoken text to Morse
145
+ transcribed = speech_to_text(speech)
146
+ morse_output = text_to_morse(transcribed)
147
+ text_output = transcribed
148
+ audio_output = generate_morse_audio(morse_output)
149
+
150
+ elif live_audio: # Live audio to Morse (assuming plain audio, not Morse)
151
+ # For simplicity, treat as Morse audio for decoding instead
152
+ morse_output, text_output = decode_morse_from_audio(live_audio, is_file=False)
153
+
154
+ elif upload_audio: # Uploaded audio to Morse (assuming plain audio, not Morse)
155
+ # For simplicity, treat as Morse audio for decoding instead
156
+ morse_output, text_output = decode_morse_from_audio(upload_audio, is_file=True)
157
+
158
+ # Decoding: Morse Text/Speech/Audio to Text
159
+ elif morse_text: # Morse text to plain text
160
+ morse_output = morse_text
161
+ text_output = decode_morse_from_text(morse_text)
162
+ audio_output = generate_morse_audio(morse_text)
163
+
164
+ elif morse_speech: # Spoken Morse (e.g., "dit dah") to text
165
+ transcribed = speech_to_text(morse_speech).replace("dit", ".").replace("dah", "-").replace("slash", "/")
166
+ morse_output = transcribed
167
+ text_output = decode_morse_from_text(transcribed)
168
+ audio_output = generate_morse_audio(transcribed)
169
+
170
+ elif morse_audio: # Morse audio file to text
171
+ morse_output, text_output = decode_morse_from_audio(morse_audio, is_file=True)
172
+
173
+ alphabet_html = generate_alphabet_html(text_output)
174
+ return morse_output, text_output, alphabet_html, audio_output
175
+
176
+ # Gradio UI
177
+ with gr.Blocks(title="Morse Code Converter") as demo:
178
+ gr.Markdown("# Morse Code Converter")
179
+ gr.Markdown("Encode text/speech to Morse, or decode Morse text/speech/audio to text!")
180
+
181
+ # Encode Section
182
+ with gr.Tab("Encode Text to Morse"):
183
+ text_input = gr.Textbox(label="Enter Text", placeholder="e.g., HELLO")
184
+ text_btn = gr.Button("Convert to Morse")
185
+ with gr.Row():
186
+ with gr.Column():
187
+ text_morse_out = gr.Textbox(label="Morse Code", interactive=False)
188
+ text_text_out = gr.Textbox(label="Original Text", interactive=False)
189
+ text_alphabet = gr.HTML(label="Alphabet (Highlighted)")
190
+ text_audio = gr.Audio(label="Morse Audio", interactive=False)
191
+ text_btn.click(fn=process_input, inputs=[text_input], outputs=[text_morse_out, text_text_out, text_alphabet, text_audio])
192
+
193
+ with gr.Tab("Encode Speech to Morse"):
194
+ speech_input = gr.Audio(type="filepath", label="Record Speech (e.g., say 'HELLO')")
195
+ speech_btn = gr.Button("Convert to Morse")
196
+ with gr.Row():
197
+ with gr.Column():
198
+ speech_morse_out = gr.Textbox(label="Morse Code", interactive=False)
199
+ speech_text_out = gr.Textbox(label="Transcribed Text", interactive=False)
200
+ speech_alphabet = gr.HTML(label="Alphabet (Highlighted)")
201
+ speech_audio = gr.Audio(label="Morse Audio", interactive=False)
202
+ speech_btn.click(fn=process_input, inputs=[speech_input], outputs=[speech_morse_out, speech_text_out, speech_alphabet, speech_audio])
203
+
204
+ # Decode Section
205
+ with gr.Tab("Decode Morse Text"):
206
+ morse_text_input = gr.Textbox(label="Enter Morse Text", placeholder="e.g., .... . .-.. .-.. ---")
207
+ morse_text_btn = gr.Button("Decode Morse")
208
+ with gr.Row():
209
+ with gr.Column():
210
+ morse_text_morse_out = gr.Textbox(label="Morse Code", interactive=False)
211
+ morse_text_text_out = gr.Textbox(label="Decoded Text", interactive=False)
212
+ morse_text_alphabet = gr.HTML(label="Alphabet (Highlighted)")
213
+ morse_text_audio = gr.Audio(label="Morse Audio", interactive=False)
214
+ morse_text_btn.click(fn=process_input, inputs=[morse_text_input], outputs=[morse_text_morse_out, morse_text_text_out, morse_text_alphabet, morse_text_audio])
215
+
216
+ with gr.Tab("Decode Morse Speech"):
217
+ morse_speech_input = gr.Audio(type="filepath", label="Record Morse Speech (e.g., say 'dit dit dit dit dit')")
218
+ morse_speech_btn = gr.Button("Decode Morse")
219
+ with gr.Row():
220
+ with gr.Column():
221
+ morse_speech_morse_out = gr.Textbox(label="Transcribed Morse", interactive=False)
222
+ morse_speech_text_out = gr.Textbox(label="Decoded Text", interactive=False)
223
+ morse_speech_alphabet = gr.HTML(label="Alphabet (Highlighted)")
224
+ morse_speech_audio = gr.Audio(label="Morse Audio", interactive=False)
225
+ morse_speech_btn.click(fn=process_input, inputs=[morse_speech_input], outputs=[morse_speech_morse_out, morse_speech_text_out, morse_speech_alphabet, morse_speech_audio])
226
+
227
+ with gr.Tab("Decode Morse Audio"):
228
+ morse_audio_input = gr.Audio(type="filepath", label="Upload Morse Audio (WAV of beeps)")
229
+ morse_audio_btn = gr.Button("Decode Morse")
230
+ with gr.Row():
231
+ with gr.Column():
232
+ morse_audio_morse_out = gr.Textbox(label="Detected Morse", interactive=False)
233
+ morse_audio_text_out = gr.Textbox(label="Decoded Text", interactive=False)
234
+ morse_audio_alphabet = gr.HTML(label="Alphabet (Highlighted)")
235
+ morse_audio_btn.click(fn=process_input, inputs=[morse_audio_input], outputs=[morse_audio_morse_out, morse_audio_text_out, morse_audio_alphabet, gr.Audio(visible=False)])
236
+
237
+ with gr.Tab("Decode Live Morse Audio"):
238
+ live_audio_input = gr.Audio(type="numpy", label="Live Morse Input (Use Microphone)", streaming=True)
239
+ with gr.Row():
240
+ with gr.Column():
241
+ live_morse_out = gr.Textbox(label="Detected Morse", interactive=False)
242
+ live_text_out = gr.Textbox(label="Decoded Text", interactive=False)
243
+ live_alphabet = gr.HTML(label="Alphabet (Highlighted)")
244
+ live_audio_input.stream(fn=process_input, inputs=[live_audio_input], outputs=[live_morse_out, live_text_out, live_alphabet, gr.Audio(visible=False)])
245
+
246
+ demo.launch()
247
+
248
+ '''
249
+ import gradio as gr
250
+ import numpy as np
251
+ import io
252
+ import tempfile
253
+ import os
254
+ from scipy.io import wavfile
255
+ import speech_recognition as sr
256
+ import soundfile as sf
257
+
258
+ # Morse code dictionary (ITU standard)
259
+ MORSE_CODE_DICT = {
260
+ 'A': '.-', 'B': '-...', 'C': '-.-.', 'D': '-..', 'E': '.', 'F': '..-.',
261
+ 'G': '--.', 'H': '....', 'I': '..', 'J': '.---', 'K': '-.-', 'L': '.-..',
262
+ 'M': '--', 'N': '-.', 'O': '---', 'P': '.--.', 'Q': '--.-', 'R': '.-.',
263
+ 'S': '...', 'T': '-', 'U': '..-', 'V': '...-', 'W': '.--', 'X': '-..-',
264
+ 'Y': '-.--', 'Z': '--..', '1': '.----', '2': '..---', '3': '...--',
265
+ '4': '....-', '5': '.....', '6': '-....', '7': '--...', '8': '---..',
266
+ '9': '----.', '0': '-----', ' ': '/'
267
+ }
268
+ MORSE_TO_CHAR = {v: k for k, v in MORSE_CODE_DICT.items()}
269
+
270
  # Morse code timing (in seconds)
271
  DIT_DURATION = 0.1 # 100ms for dit
272
  DAH_DURATION = 3 * DIT_DURATION # 300ms for dah
 
463
 
464
  # Launch the app
465
  demo.launch()
466
+ '''
467
  '''
468
  import gradio as gr
469
  import numpy as np