Spaces:
Running
Running
File size: 13,328 Bytes
024b7b9 8468afb 024b7b9 8468afb 024b7b9 8468afb 92c9b3d 8468afb 92c9b3d 8468afb 024b7b9 92c9b3d 8468afb 92c9b3d 024b7b9 92c9b3d 8468afb 024b7b9 49a48a4 8468afb 49a48a4 8468afb 92c9b3d 024b7b9 92c9b3d 49a48a4 92c9b3d 024b7b9 92c9b3d 024b7b9 92c9b3d 49a48a4 92c9b3d 8468afb 024b7b9 8468afb 49a48a4 8468afb 92c9b3d 8468afb 49a48a4 8468afb 49a48a4 8468afb 024b7b9 92c9b3d 024b7b9 49a48a4 8468afb 024b7b9 8468afb 49a48a4 024b7b9 8468afb 49a48a4 8468afb 024b7b9 8468afb 49a48a4 024b7b9 8468afb 92c9b3d 8468afb 49a48a4 8468afb 024b7b9 8468afb 92c9b3d 49a48a4 8468afb 49a48a4 92c9b3d 49a48a4 8468afb 024b7b9 8468afb 49a48a4 024b7b9 92c9b3d 024b7b9 92c9b3d 024b7b9 92c9b3d 49a48a4 024b7b9 49a48a4 024b7b9 49a48a4 92c9b3d 8468afb 49a48a4 8468afb 024b7b9 8468afb 92c9b3d 024b7b9 92c9b3d 024b7b9 8468afb 92c9b3d 024b7b9 8468afb 92c9b3d 8468afb 92c9b3d 49a48a4 635a2fb 92c9b3d 49a48a4 92c9b3d e5a707f 92c9b3d 49a48a4 024b7b9 49a48a4 8468afb f0f7952 024b7b9 f0f7952 8468afb 92c9b3d f0f7952 024b7b9 f0f7952 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 |
# FILE: esl-dialogue-tts/event_handlers.py
import gradio as gr
import os
import asyncio
import tempfile
import shutil
import zipfile
import random
from functools import partial
import datetime
from utils.script_parser import parse_dialogue_script, calculate_cost
from utils.openai_tts import synthesize_speech_line
from utils.merge_audio import merge_mp3_files
from ui_layout import APP_AVAILABLE_VOICES, DEFAULT_VIBE, VIBE_CHOICES, PREDEFINED_VIBES, DEFAULT_GLOBAL_VOICE
def get_speakers_from_script(script_text: str) -> list:
"""Extracts unique, ordered speaker names from the script."""
if not script_text or not script_text.strip():
return []
try:
parsed_lines, _ = parse_dialogue_script(script_text)
if not parsed_lines:
return []
seen_speakers = set()
ordered_unique_speakers = []
for line_data in parsed_lines:
speaker = line_data.get("speaker")
if speaker and speaker not in seen_speakers:
ordered_unique_speakers.append(speaker)
seen_speakers.add(speaker)
return ordered_unique_speakers
except ValueError:
print("ValueError during script parsing in get_speakers_from_script.")
return []
except Exception as e:
print(f"Unexpected error in get_speakers_from_script: {e}")
return []
def handle_dynamic_accordion_input_change(
new_value,
current_speaker_configs: dict,
speaker_name: str,
config_key: str
):
if not isinstance(current_speaker_configs, dict):
print(f"Warning: current_speaker_configs was not a dict in handle_dynamic_accordion_input_change. Type: {type(current_speaker_configs)}. Re-initializing.")
current_speaker_configs = {}
updated_configs = current_speaker_configs.copy()
if speaker_name not in updated_configs:
updated_configs[speaker_name] = {}
updated_configs[speaker_name][config_key] = new_value
updated_configs["_last_dynamic_update_details"] = f"Speaker: {speaker_name}, Key: {config_key}, Val: {str(new_value)[:20]}, TS: {datetime.datetime.now().isoformat()}"
print(f"DEBUG (dynamic_input_change): Speaker '{speaker_name}' config '{config_key}' to '{str(new_value)[:50]}'. New state hint: {updated_configs.get('_last_dynamic_update_details')}")
return updated_configs
async def handle_script_processing(
openai_api_key: str, async_openai_client, nsfw_api_url_template: str,
dialogue_script: str, tts_model: str, pause_ms: int,
speaker_config_method: str, global_voice_selection: str,
speaker_configs_state_dict: dict,
global_speed: float,
global_instructions: str,
progress=gr.Progress(track_tqdm=True)
):
if not openai_api_key or not async_openai_client:
return None, None, "Error: OpenAI API Key or client is not configured."
if not dialogue_script or not dialogue_script.strip():
return None, None, "Error: Script is empty."
job_audio_path_prefix = os.path.join(tempfile.gettempdir(), f"dialogue_tts_job_{random.randint(10000, 99999)}")
if os.path.exists(job_audio_path_prefix): shutil.rmtree(job_audio_path_prefix)
os.makedirs(job_audio_path_prefix, exist_ok=True)
try:
parsed_lines, _ = parse_dialogue_script(dialogue_script)
if not parsed_lines:
shutil.rmtree(job_audio_path_prefix); return None, None, "Error: No valid lines found in script."
except ValueError as e:
shutil.rmtree(job_audio_path_prefix); return None, None, f"Script parsing error: {str(e)}"
if not isinstance(speaker_configs_state_dict, dict):
print(f"Warning: speaker_configs_state_dict was not a dict in handle_script_processing. Re-initializing. Type: {type(speaker_configs_state_dict)}")
speaker_configs_state_dict = {}
safe_default_global_voice = global_voice_selection if global_voice_selection in APP_AVAILABLE_VOICES else (APP_AVAILABLE_VOICES[0] if APP_AVAILABLE_VOICES else "alloy")
speaker_voice_map = {} # Calculated once if needed
if speaker_config_method in ["Random per Speaker", "A/B Round Robin"]:
unique_script_speakers_for_map = get_speakers_from_script(dialogue_script)
temp_voices_pool = APP_AVAILABLE_VOICES.copy()
if not temp_voices_pool: temp_voices_pool = [safe_default_global_voice]
if speaker_config_method == "Random per Speaker":
for spk_name in unique_script_speakers_for_map:
speaker_voice_map[spk_name] = random.choice(temp_voices_pool)
elif speaker_config_method == "A/B Round Robin" and temp_voices_pool:
for i, spk_name in enumerate(unique_script_speakers_for_map):
speaker_voice_map[spk_name] = temp_voices_pool[i % len(temp_voices_pool)]
processed_results_map = {}
total_lines = len(parsed_lines)
progress(0, desc="Starting: Preparing for audio synthesis...")
for i, line_data in enumerate(parsed_lines):
speaker_name = line_data["speaker"]
line_text = line_data["text"]
line_id = line_data["id"]
# Determine voice, speed, and instructions for the current line
line_voice = safe_default_global_voice
line_speed = global_speed
line_instructions = global_instructions.strip() if global_instructions and global_instructions.strip() else None
if speaker_config_method == "Detailed Configuration (Per Speaker UI)":
spk_cfg = speaker_configs_state_dict.get(speaker_name, {})
line_voice = spk_cfg.get("voice", safe_default_global_voice)
if tts_model in ["tts-1", "tts-1-hd"]:
line_speed = float(spk_cfg.get("speed", global_speed))
# For gpt-4o-mini-tts, detailed instructions/vibe
if tts_model == "gpt-4o-mini-tts":
vibe = spk_cfg.get("vibe", DEFAULT_VIBE)
custom_instr_raw = spk_cfg.get("custom_instructions", "")
custom_instr = custom_instr_raw.strip() if custom_instr_raw else ""
current_line_specific_instructions = None
if vibe == "Custom..." and custom_instr:
current_line_specific_instructions = custom_instr
elif vibe != "None" and vibe != "Custom..." and PREDEFINED_VIBES.get(vibe):
current_line_specific_instructions = PREDEFINED_VIBES[vibe]
line_instructions = current_line_specific_instructions if current_line_specific_instructions is not None else line_instructions
elif speaker_config_method in ["Random per Speaker", "A/B Round Robin"]:
line_voice = speaker_voice_map.get(speaker_name, safe_default_global_voice)
# Speed and instructions remain global for these methods
# Ensure speed is 1.0 if model does not support it explicitly, or handled globally
if tts_model not in ["tts-1", "tts-1-hd"]:
line_speed = 1.0
out_fn = os.path.join(job_audio_path_prefix, f"line_{line_id}_{speaker_name.replace(' ','_')}.mp3")
# Update progress BEFORE awaiting the synthesis for this line
progress_fraction = (i + 1) / total_lines
progress(progress_fraction, desc=f"Synthesizing: Line {i+1}/{total_lines} ('{speaker_name}')")
try:
result_path = await synthesize_speech_line(
client=async_openai_client, text=line_text, voice=line_voice,
output_path=out_fn, model=tts_model, speed=line_speed,
instructions=line_instructions, nsfw_api_url_template=nsfw_api_url_template,
line_index=line_id
)
processed_results_map[line_id] = {"path": result_path, "speaker": speaker_name}
except Exception as e:
print(f"Error synthesizing line ID {line_id} ({speaker_name}): {e}")
processed_results_map[line_id] = {"path": None, "error": str(e), "speaker": speaker_name}
progress(1.0, desc="Finalizing: Assembling audio files...")
ordered_files_for_merge_and_zip = []
for p_line in parsed_lines:
line_id = p_line['id']
res = processed_results_map.get(line_id)
if res and res.get("path") and os.path.exists(res["path"]) and os.path.getsize(res["path"]) > 0:
ordered_files_for_merge_and_zip.append(res["path"])
else:
if res: print(f"Skipped or failed synthesizing line ID {line_id} ({res.get('speaker', 'Unknown')}) for merge/zip. Error: {res.get('error')}")
else: print(f"Result for line ID {line_id} not found in processed_results_map.")
valid_files_for_zip = [f for f in ordered_files_for_merge_and_zip if f]
if not valid_files_for_zip:
shutil.rmtree(job_audio_path_prefix); return None, None, "Error: No audio was successfully synthesized for any line."
zip_fn = os.path.join(job_audio_path_prefix, "dialogue_lines.zip")
with zipfile.ZipFile(zip_fn, 'w') as zf:
for f_path in valid_files_for_zip:
zf.write(f_path, os.path.basename(f_path))
files_to_actually_merge = valid_files_for_zip
merged_fn = os.path.join(job_audio_path_prefix, "merged_dialogue.mp3")
merged_path = merge_mp3_files(files_to_actually_merge, merged_fn, pause_ms)
status_msg = f"Successfully processed {len(valid_files_for_zip)} out of {len(parsed_lines)} lines. "
if len(valid_files_for_zip) < len(parsed_lines): status_msg += "Some lines may have failed. Check console for details. "
if not merged_path and len(valid_files_for_zip) > 0 : status_msg += "Merging audio failed. "
elif not merged_path: status_msg = "No audio to merge (all lines failed or were skipped)."
else: status_msg += "Merged audio generated."
progress(1.0, desc="Processing complete!") # Final update
return (zip_fn if os.path.exists(zip_fn) else None,
merged_path if merged_path and os.path.exists(merged_path) else None,
status_msg)
# ... (rest of the event_handlers.py file remains the same) ...
def handle_calculate_cost(dialogue_script: str, tts_model: str):
if not dialogue_script or not dialogue_script.strip(): return "Cost: $0.00 (Script is empty)"
try:
parsed_lines, total_chars = parse_dialogue_script(dialogue_script)
if not parsed_lines: return "Cost: $0.00 (No valid lines in script)"
cost = calculate_cost(total_chars, len(parsed_lines), tts_model)
return f"Estimated Cost for {len(parsed_lines)} lines ({total_chars} chars): ${cost:.6f}"
except ValueError as e: return f"Cost calculation error: {str(e)}"
except Exception as e: return f"An unexpected error: {str(e)}"
def handle_load_refresh_per_speaker_ui_trigger(script_text: str, current_speaker_configs: dict, tts_model: str):
print(f"DEBUG (Load/Refresh Trigger): Script: '{script_text[:30]}...', Model: {tts_model}, Current State Keys: {list(current_speaker_configs.keys()) if isinstance(current_speaker_configs, dict) else 'Not a dict'}")
if not isinstance(current_speaker_configs, dict): current_speaker_configs = {}
updated_configs = current_speaker_configs.copy()
updated_configs["_last_action_source"] = "load_refresh_button"
updated_configs["_last_action_timestamp"] = datetime.datetime.now().isoformat()
return updated_configs
def handle_tts_model_change(selected_model: str, current_speaker_configs: dict):
print(f"DEBUG (TTS Model Change): Model: {selected_model}, Current State Keys: {list(current_speaker_configs.keys()) if isinstance(current_speaker_configs, dict) else 'Not a dict'}")
if not isinstance(current_speaker_configs, dict): current_speaker_configs = {}
updated_configs = current_speaker_configs.copy()
for speaker_name_key in list(updated_configs.keys()):
if isinstance(updated_configs[speaker_name_key], dict):
if selected_model == "gpt-4o-mini-tts":
updated_configs[speaker_name_key].pop("speed", None)
if "vibe" not in updated_configs[speaker_name_key]:
updated_configs[speaker_name_key]["vibe"] = DEFAULT_VIBE
elif selected_model in ["tts-1", "tts-1-hd"]:
updated_configs[speaker_name_key].pop("vibe", None)
updated_configs[speaker_name_key].pop("custom_instructions", None)
if "speed" not in updated_configs[speaker_name_key]:
updated_configs[speaker_name_key]["speed"] = 1.0
updated_configs["_last_action_source"] = "tts_model_change"
updated_configs["_last_action_timestamp"] = datetime.datetime.now().isoformat()
is_tts1_family = selected_model in ["tts-1", "tts-1-hd"]
is_gpt_mini_tts = selected_model == "gpt-4o-mini-tts"
return (
gr.update(visible=is_tts1_family, interactive=is_tts1_family),
gr.update(visible=is_gpt_mini_tts, interactive=is_gpt_mini_tts),
updated_configs
)
def handle_speaker_config_method_visibility_change(method: str):
print(f"DEBUG (Config Method Change): Method: {method}")
is_single_voice_visible = (method == "Single Voice (Global)")
is_detailed_per_speaker_container_visible = (method == "Detailed Configuration (Per Speaker UI)")
return (
gr.update(visible=is_single_voice_visible),
gr.update(visible=is_detailed_per_speaker_container_visible)
) |