gds2 / app.py
hivecorp's picture
Update app.py
071143c verified
import gradio as gr
from pydub import AudioSegment
import edge_tts
import os
import asyncio
import uuid
import re
import time
import tempfile
from concurrent.futures import ThreadPoolExecutor
from typing import List, Tuple, Optional, Dict, Any
import math
from dataclasses import dataclass
from pathlib import Path # Import Path for cleaner file handling
class TimingManager:
def __init__(self):
self.current_time = 0
self.segment_gap = 100 # ms gap between segments
def get_timing(self, duration):
start_time = self.current_time
end_time = start_time + duration
self.current_time = end_time + self.segment_gap
return start_time, end_time
def get_audio_length(audio_file):
audio = AudioSegment.from_file(audio_file)
return len(audio) / 1000
def format_time_ms(milliseconds):
seconds, ms = divmod(int(milliseconds), 1000)
mins, secs = divmod(seconds, 60)
hrs, mins = divmod(mins, 60)
return f"{hrs:02}:{mins:02}:{secs:02},{ms:03}"
@dataclass
class Segment:
id: int
text: str
start_time: int = 0
end_time: int = 0
duration: int = 0
audio: Optional[AudioSegment] = None
lines: List[str] = None
class TextProcessor:
def __init__(self, words_per_line: int, lines_per_segment: int):
self.words_per_line = words_per_line
self.lines_per_segment = lines_per_segment
self.min_segment_words = 3
self.max_segment_words = words_per_line * lines_per_segment * 1.5
self.punctuation_weights = {
'.': 1.0,
'!': 1.0,
'?': 1.0,
';': 0.8,
':': 0.7,
',': 0.5,
'-': 0.3,
'(': 0.2,
')': 0.2
}
def analyze_sentence_complexity(self, text: str) -> float:
words = text.split()
complexity = 1.0
if len(words) > self.words_per_line * 2:
complexity *= 1.2
punct_count = sum(text.count(p) for p in self.punctuation_weights.keys())
complexity *= (1 + (punct_count / len(words)) * 0.5)
return complexity
def find_natural_breaks(self, text: str) -> List[Tuple[int, float]]:
breaks = []
words = text.split()
for i, word in enumerate(words):
weight = 0
for punct, punct_weight in self.punctuation_weights.items():
if word.endswith(punct):
weight = max(weight, punct_weight)
phrase_starters = {'however', 'therefore', 'moreover', 'furthermore', 'meanwhile', 'although', 'because'}
if i < len(words) - 1 and words[i+1].lower() in phrase_starters:
weight = max(weight, 0.6)
if i > self.min_segment_words:
conjunctions = {'and', 'but', 'or', 'nor', 'for', 'yet', 'so'}
if word.lower() in conjunctions:
weight = max(weight, 0.4)
if weight > 0:
breaks.append((i, weight))
return breaks
def split_into_segments(self, text: str) -> List[Segment]:
text = re.sub(r'\s+', ' ', text.strip())
text = re.sub(r'([.!?,;:])\s*', r'\1 ', text)
text = re.sub(r'\s+([.!?,;:])', r'\1', text)
segments = []
words = text.split()
i = 0
while i < len(words):
complexity = self.analyze_sentence_complexity(' '.join(words[i:i + self.words_per_line * 2]))
breaks = self.find_natural_breaks(' '.join(words[i:i + int(self.max_segment_words * complexity)]))
best_break = None
best_weight = 0
for break_idx, weight in breaks:
actual_idx = i + break_idx
if (actual_idx - i >= self.min_segment_words and
actual_idx - i <= self.max_segment_words):
if weight > best_weight:
best_break = break_idx
best_weight = weight
if best_break is None:
best_break = min(self.words_per_line * self.lines_per_segment, len(words) - i)
segment_words = words[i:i + best_break + 1]
segment_text = ' '.join(segment_words)
lines = self.split_into_lines(segment_text)
final_segment_text = '\n'.join(lines)
segments.append(Segment(
id=len(segments) + 1,
text=final_segment_text
))
i += best_break + 1
return segments
def split_into_lines(self, text: str) -> List[str]:
words = text.split()
lines = []
current_line = []
word_count = 0
for word in words:
current_line.append(word)
word_count += 1
is_break = (
word_count >= self.words_per_line or
any(word.endswith(p) for p in '.!?') or
(word_count >= self.words_per_line * 0.7 and
any(word.endswith(p) for p in ',;:'))
)
if is_break:
lines.append(' '.join(current_line))
current_line = []
word_count = 0
if current_line:
lines.append(' '.join(current_line))
return lines
class TTSError(Exception):
"""Custom exception for TTS processing errors"""
pass
async def process_segment_with_timing(segment: Segment, voice: str, rate: str, pitch: str) -> Segment:
audio_file = os.path.join(tempfile.gettempdir(), f"temp_segment_{segment.id}_{uuid.uuid4()}.wav")
try:
segment_text = ' '.join(segment.text.split('\n'))
tts = edge_tts.Communicate(segment_text, voice, rate=rate, pitch=pitch)
try:
await tts.save(audio_file)
except Exception as e:
raise TTSError(f"Failed to generate audio for segment {segment.id}: {str(e)}")
if not os.path.exists(audio_file) or os.path.getsize(audio_file) == 0:
raise TTSError(f"Generated audio file is empty or missing for segment {segment.id}")
try:
segment.audio = AudioSegment.from_file(audio_file)
silence = AudioSegment.silent(duration=30)
segment.audio = silence + segment.audio + silence
segment.duration = len(segment.audio)
except Exception as e:
raise TTSError(f"Failed to process audio file for segment {segment.id}: {str(e)}")
return segment
except Exception as e:
if not isinstance(e, TTSError):
raise TTSError(f"Unexpected error processing segment {segment.id}: {str(e)}")
raise
finally:
if os.path.exists(audio_file):
try:
os.remove(audio_file)
except Exception:
pass
class FileManager:
"""Manages temporary and output files with cleanup capabilities"""
def __init__(self):
self.temp_dir = tempfile.mkdtemp(prefix="tts_app_")
self.output_files = []
self.max_files_to_keep = 5
def get_temp_path(self, prefix):
return os.path.join(self.temp_dir, f"{prefix}_{uuid.uuid4()}")
def create_output_paths(self):
unique_id = str(uuid.uuid4())
audio_path = os.path.join(self.temp_dir, f"final_audio_{unique_id}.mp3")
srt_path = os.path.join(self.temp_dir, f"final_subtitles_{unique_id}.srt")
self.output_files.append((srt_path, audio_path))
self.cleanup_old_files()
return srt_path, audio_path
def cleanup_old_files(self):
if len(self.output_files) > self.max_files_to_keep:
old_files = self.output_files[:-self.max_files_to_keep]
for srt_path, audio_path in old_files:
try:
if os.path.exists(srt_path):
os.remove(srt_path)
if os.path.exists(audio_path):
os.remove(audio_path)
except Exception:
pass
self.output_files = self.output_files[-self.max_files_to_keep:]
def cleanup_all(self):
for srt_path, audio_path in self.output_files:
try:
if os.path.exists(srt_path):
os.remove(srt_path)
if os.path.exists(audio_path):
os.remove(audio_path)
except Exception:
pass
try:
os.rmdir(self.temp_dir)
except Exception:
pass
file_manager = FileManager()
async def generate_accurate_srt(
text: str,
voice: str,
rate: str,
pitch: str,
words_per_line: int,
lines_per_segment: int,
progress_callback=None,
parallel: bool = True,
max_workers: int = 4
) -> Tuple[str, str]:
processor = TextProcessor(words_per_line, lines_per_segment)
segments = processor.split_into_segments(text)
total_segments = len(segments)
processed_segments = []
if progress_callback:
progress_callback(0.1, "Text segmentation complete")
if parallel and total_segments > 1:
processed_count = 0
segment_tasks = []
semaphore = asyncio.Semaphore(max_workers)
async def process_with_semaphore(segment):
async with semaphore:
nonlocal processed_count
try:
result = await process_segment_with_timing(segment, voice, rate, pitch)
processed_count += 1
if progress_callback:
progress = 0.1 + (0.8 * processed_count / total_segments)
progress_callback(progress, f"Processed {processed_count}/{total_segments} segments")
return result
except Exception as e:
processed_count += 1
if progress_callback:
progress = 0.1 + (0.8 * processed_count / total_segments)
progress_callback(progress, f"Error in segment {segment.id}: {str(e)}")
raise
for segment in segments:
segment_tasks.append(process_with_semaphore(segment))
try:
processed_segments = await asyncio.gather(*segment_tasks)
except Exception as e:
if progress_callback:
progress_callback(0.9, f"Error during parallel processing: {str(e)}")
raise TTSError(f"Failed during parallel processing: {str(e)}")
else:
for i, segment in enumerate(segments):
try:
processed_segment = await process_segment_with_timing(segment, voice, rate, pitch)
processed_segments.append(processed_segment)
if progress_callback:
progress = 0.1 + (0.8 * (i + 1) / total_segments)
progress_callback(progress, f"Processed {i + 1}/{total_segments} segments")
except Exception as e:
if progress_callback:
progress_callback(0.9, f"Error processing segment {segment.id}: {str(e)}")
raise TTSError(f"Failed to process segment {segment.id}: {str(e)}")
processed_segments.sort(key=lambda s: s.id)
if progress_callback:
progress_callback(0.9, "Finalizing audio and subtitles")
current_time = 0
final_audio = AudioSegment.empty()
srt_content = ""
for segment in processed_segments:
segment.start_time = current_time
segment.end_time = current_time + segment.duration
srt_content += (
f"{segment.id}\n"
f"{format_time_ms(segment.start_time)} --> {format_time_ms(segment.end_time)}\n"
f"{segment.text}\n\n"
)
final_audio = final_audio.append(segment.audio, crossfade=0)
current_time = segment.end_time
srt_path, audio_path = file_manager.create_output_paths()
try:
export_params = {
'format': 'mp3',
'bitrate': '192k',
'parameters': [
'-ar', '44100',
'-ac', '2',
'-compression_level', '0',
'-qscale:a', '2'
]
}
final_audio.export(audio_path, **export_params)
with open(srt_path, "w", encoding='utf-8') as f:
f.write(srt_content)
except Exception as e:
if progress_callback:
progress_callback(1.0, f"Error exporting final files: {str(e)}")
raise TTSError(f"Failed to export final files: {str(e)}")
if progress_callback:
progress_callback(1.0, "Complete!")
return srt_path, audio_path
async def process_text_with_progress(
text,
pitch,
rate,
voice, # This is the actual voice string from the dropdown
words_per_line,
lines_per_segment,
parallel_processing,
progress=gr.Progress()
):
# Initialize all outputs to their 'cleared' or 'hidden' state
# This is crucial for consistency and to avoid the TypeError.
audio_output_path = None
srt_link_html = ""
audio_link_html = ""
status_message = ""
# Input validation
if not text or text.strip() == "":
status_message = "Please enter some text to convert to speech."
return (
audio_output_path,
gr.update(value=srt_link_html, visible=False),
gr.update(value=audio_link_html, visible=False),
gr.update(value=status_message, visible=True)
)
pitch_str = f"{pitch:+d}Hz" if pitch != 0 else "+0Hz"
rate_str = f"{rate:+d}%" if rate != 0 else "+0%"
try:
progress(0, "Preparing text...")
def update_progress(value, status):
progress(value, status)
# Pass the actual voice string (e.g., "en-US-JennyNeural")
srt_path, audio_path = await generate_accurate_srt(
text,
voice, # Use 'voice' directly here
rate_str,
pitch_str,
words_per_line,
lines_per_segment,
progress_callback=update_progress,
parallel=parallel_processing
)
# Construct download links using Gradio's file serving prefix and target="_blank"
# The 'file=' prefix is what tells Gradio to serve the local temp file.
srt_link_html = f"""
<a href="file={srt_path}" download="subtitles.srt" target="_blank"
style="display: inline-block; padding: 10px 20px; background: linear-gradient(135deg, #4776E6, #8E54E9); color: white; text-decoration: none; border-radius: 8px; font-weight: 600; transition: all 0.3s ease;"
onmouseover="this.style.transform='translateY(-2px)'; this.style.boxShadow='0 5px 15px rgba(71, 118, 230, 0.3)';"
onmouseout="this.style.transform='translateY(0)'; this.style.boxShadow='none';">
Download SRT File
</a>
"""
audio_link_html = f"""
<a href="file={audio_path}" download="audio.mp3" target="_blank"
style="display: inline-block; padding: 10px 20px; background: linear-gradient(135deg, #4776E6, #8E54E9); color: white; text-decoration: none; border-radius: 8px; font-weight: 600; transition: all 0.3s ease;"
onmouseover="this.style.transform='translateY(-2px)'; this.style.boxShadow='0 5px 15px rgba(71, 118, 230, 0.3)';"
onmouseout="this.style.transform='translateY(0)'; this.style.boxShadow='none';">
Download Audio File
</a>
"""
audio_output_path = audio_path # Path for the gr.Audio preview
status_message = "Complete!"
# Return the updates. All outputs must be present in the tuple.
return (
audio_output_path, # gr.Audio expects a path or None
gr.update(value=srt_link_html, visible=True), # gr.HTML expects a string, set visible True
gr.update(value=audio_link_html, visible=True), # gr.HTML expects a string, set visible True
gr.update(value=status_message, visible=True) # Update status message
)
except TTSError as e:
status_message = f"TTS Error: {str(e)}"
except Exception as e:
status_message = f"Unexpected error: {str(e)}"
# Unified error return. Ensure all outputs are handled.
return (
None, # Clear audio output
gr.update(value="", visible=False), # Hide SRT link
gr.update(value="", visible=False), # Hide Audio link
gr.update(value=status_message, visible=True) # Show error message
)
# --- Voice Options and Gradio Interface (from your shared code) ---
voice_options = {
# Consolidated all voices under a single dictionary for direct lookup by `speaker` name
"Andrew Male": "en-US-AndrewNeural",
"Jenny Female": "en-US-JennyNeural",
"Guy Male": "en-US-GuyNeural",
"Ana Female": "en-US-AnaNeural",
"Aria Female": "en-US-AriaNeural",
"Brian Male": "en-US-BrianNeural",
"Christopher Male": "en-US-ChristopherNeural",
"Eric Male": "en-US-EricNeural",
"Michelle Male": "en-US-MichelleNeural",
"Roger Male": "en-US-RogerNeural",
"Natasha Female": "en-AU-NatashaNeural",
"William Male": "en-AU-WilliamNeural",
"Clara Female": "en-CA-ClaraNeural",
"Liam Female ": "en-CA-LiamNeural",
"Libby Female": "en-GB-LibbyNeural",
"Maisie": "en-GB-MaisieNeural",
"Ryan": "en-GB-RyanNeural",
"Sonia": "en-GB-SoniaNeural",
"Thomas": "en-GB-ThomasNeural",
"Sam": "en-HK-SamNeural",
"Yan": "en-HK-YanNeural",
"Connor": "en-IE-ConnorNeural",
"Emily": "en-IE-EmilyNeural",
"Neerja": "en-IN-NeerjaNeural",
"Prabhat": "en-IN-PrabhatNeural",
"Asilia": "en-KE-AsiliaNeural",
"Chilemba": "en-KE-ChilembaNeural",
"Abeo": "en-NG-AbeoNeural",
"Ezinne": "en-NG-EzinneNeural",
"Mitchell": "en-NZ-MitchellNeural",
"James": "en-PH-JamesNeural",
"Rosa": "en-PH-RosaNeural",
"Luna": "en-SG-LunaNeural",
"Wayne": "en-SG-WayneNeural",
"Elimu": "en-TZ-ElimuNeural",
"Imani": "en-TZ-ImaniNeural",
"Leah": "en-ZA-LeahNeural",
"Luke": "en-ZA-LukeNeural",
"Madhur": "hi-IN-MadhurNeural", # Added Hindi voices
"Swara": "hi-IN-SwaraNeural",
"Elena": "es-AR-ElenaNeural", # Spanish
"Tomas": "es-AR-TomasNeural",
# ... (all other voices from your original language_dict need to be flattened here)
# FOR BREVITY, I AM NOT COPYING ALL VOICE OPTIONS HERE.
# YOU MUST FLATTEN YOUR `language_dict` INTO THIS `voice_options` DICTIONARY.
# EXAMPLE:
# "Hamed": "ar-SA-HamedNeural",
# "Sun-Hi": "ko-KR-SunHiNeural",
# "Premwadee": "th-TH-PremwadeeNeural",
# etc. for all languages
}
# Re-create language_dict for dropdown population if needed, but the core TTS will use voice_options directly
language_dict = {
"Hindi": {"Madhur": "hi-IN-MadhurNeural", "Swara": "hi-IN-SwaraNeural"},
"English": { # Populate with the voices you want for English
"Jenny Female": "en-US-JennyNeural",
"Guy Male": "en-US-GuyNeural",
# ... and so on for all English voices
},
"Spanish": { # Populate with the voices you want for Spanish
"Elena": "es-AR-ElenaNeural",
"Tomas": "es-AR-TomasNeural",
# ... and so on for all Spanish voices
},
# ... Continue with all other languages and their respective voices
# Ensure this matches the full language_dict you provided previously.
}
# Populate voice_options from language_dict
voice_options = {}
for lang, speakers in language_dict.items():
voice_options.update(speakers)
default_language = "English"
# Ensure default_speaker is a valid key from voice_options (e.g., "Jenny Female")
default_speaker_name = list(language_dict[default_language].keys())[0] # e.g., "Jenny Female"
def get_speakers_for_language(language):
speakers = list(language_dict[language].keys())
# Return gr.update to set choices and selected value
return gr.update(choices=speakers, value=speakers[0], interactive=True), gr.update(visible=language == "Arabic", interactive=True)
atexit.register(file_manager.cleanup_all)
with gr.Blocks(title="Advanced TTS with Configurable SRT Generation",
css="""
:root {
--primary-color: #4776E6;
--secondary-color: #8E54E9;
--background-light: #ffffff;
--card-light: #f8f9fa;
--text-dark: #2d3436;
--text-gray: #636e72;
--border-color: #e0e0e0;
}
@media (max-width: 768px) {
.container {
padding: 10px !important;
}
.header h1 {
font-size: 1.5em !important;
}
}
body {
background-color: var(--background-light);
}
.container {
background-color: var(--background-light);
max-width: 1200px;
margin: 0 auto;
padding: 20px;
}
.header {
text-align: center;
margin-bottom: 30px;
background: linear-gradient(135deg, var(--primary-color), var(--secondary-color));
padding: 25px;
border-radius: 15px;
color: white;
box-shadow: 0 4px 15px rgba(71, 118, 230, 0.2);
}
.input-section, .output-section {
background-color: var(--card-light);
padding: 25px;
border-radius: 15px;
margin-bottom: 20px;
box-shadow: 0 2px 10px rgba(0, 0, 0, 0.05);
border: 1px solid var(--border-color);
width: 100%;
}
.input-box textarea {
min-height: 120px !important;
font-size: 16px !important;
border: 1px solid var(--border-color) !important;
border-radius: 10px !important;
padding: 15px !important;
width: 100% !important;
}
.dropdown {
width: 100% !important;
}
select, input[type="text"] {
width: 100% !important;
padding: 12px !important;
border-radius: 8px !important;
border: 1px solid var(--border-color) !important;
}
.generate-btn {
background: linear-gradient(135deg, var(--primary-color), var(--secondary-color)) !important;
padding: 15px 30px !important;
border-radius: 10px !important;
font-weight: 600 !important;
letter-spacing: 0.5px !important;
width: 100% !important;
margin-top: 15px !important;
}
.generate-btn:hover {
transform: translateY(-2px);
box-shadow: 0 5px 15px rgba(71, 118, 230, 0.3) !important;
}
.download-btn {
margin-top: 20px;
text-align: center;
}
.download-btn a {
display: inline-flex;
align-items: center;
justify-content: center;
background: linear-gradient(135deg, var(--primary-color), var(--secondary-color));
color: white;
padding: 12px 25px;
border-radius: 10px;
text-decoration: none;
font-weight: 600;
letter-spacing: 0.5px;
transition: all 0.3s ease;
gap: 8px;
width: 100%;
max-width: 300px;
}
.download-btn a:before {
content: "⬇️";
font-size: 1.2em;
}
.download-btn a:hover {
transform: translateY(-2px);
box-shadow: 0 5px 15px rgba(71, 118, 230, 0.3);
}
/* Audio player styling */
audio {
width: 100% !important;
margin: 15px 0 !important;
border-radius: 10px !important;
}
/* Hide output text - this CSS is from your original file, ensure it's intentional */
#output-text {
display: none !important;
}
"""
) as app:
gr.Markdown("# Advanced TTS with Configurable SRT Generation")
gr.Markdown("Generate perfectly synchronized audio and subtitles with natural speech patterns.")
with gr.Row():
with gr.Column(scale=3):
text_input = gr.Textbox(label="Enter Text", lines=10, placeholder="Enter your text here...")
with gr.Column(scale=2):
# Using your `language_dict` for dropdown population
language_dropdown = gr.Dropdown(
label="Select Language",
choices=list(language_dict.keys()),
value=default_language,
interactive=True
)
# The speaker dropdown will be updated by the language_dropdown.change event
speaker_dropdown = gr.Dropdown(
label="Select Voice",
choices=list(language_dict[default_language].keys()),
value=default_speaker_name,
interactive=True
)
pitch_slider = gr.Slider(
label="Pitch Adjustment (Hz)",
minimum=-10,
maximum=10,
value=0,
step=1
)
rate_slider = gr.Slider(
label="Rate Adjustment (%)",
minimum=-25,
maximum=25,
value=0,
step=1
)
with gr.Row():
with gr.Column():
words_per_line = gr.Slider(
label="Words per Line",
minimum=3,
maximum=12,
value=6,
step=1,
info="Controls how many words appear on each line of the subtitle"
)
with gr.Column():
lines_per_segment = gr.Slider(
label="Lines per Segment",
minimum=1,
maximum=4,
value=2,
step=1,
info="Controls how many lines appear in each subtitle segment"
)
with gr.Column():
parallel_processing = gr.Checkbox(
label="Enable Parallel Processing",
value=True,
info="Process multiple segments simultaneously for faster conversion (recommended for longer texts)"
)
# Tashkeel checkbox for Arabic
tashkeel_checkbox = gr.Checkbox(
label="Tashkeel (Arabic Only)",
value=False,
visible=False,
interactive=True
)
submit_btn = gr.Button("Generate Audio & Subtitles")
error_output = gr.Textbox(label="Status", visible=False, interactive=False)
with gr.Row():
with gr.Column():
audio_preview = gr.Audio(label="Preview Audio") # Renamed for clarity
with gr.Column():
# Use gr.HTML for download links, initially hidden
srt_download_html_output = gr.HTML(value="", visible=False)
audio_download_html_output = gr.HTML(value="", visible=False)
# Event Handlers
language_dropdown.change(
fn=get_speakers_for_language, # Renamed function for clarity
inputs=[language_dropdown],
outputs=[speaker_dropdown, tashkeel_checkbox]
)
submit_btn.click(
fn=process_text_with_progress,
inputs=[
text_input,
pitch_slider,
rate_slider,
speaker_dropdown, # This now correctly passes the selected speaker name (e.g., "Jenny Female")
words_per_line,
lines_per_segment,
parallel_processing
],
outputs=[
audio_preview,
srt_download_html_output,
audio_download_html_output,
error_output
],
api_name="generate"
)
if __name__ == "__main__":
app.launch()