Spaces:
Running
Running
File size: 20,499 Bytes
5009416 a229c78 5009416 a229c78 5009416 195eeb1 5009416 195eeb1 a229c78 195eeb1 a229c78 195eeb1 a229c78 195eeb1 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 195eeb1 5009416 195eeb1 f927339 195eeb1 a229c78 195eeb1 a229c78 5009416 a229c78 5009416 a229c78 5009416 f927339 195eeb1 f927339 195eeb1 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 195eeb1 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 195eeb1 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 195eeb1 a229c78 5009416 a229c78 5009416 a229c78 5009416 a229c78 5009416 | 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 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 | """
ClearWave AI β HuggingFace Spaces
Gradio UI + FastAPI routes
BACKGROUND JOB SYSTEM:
- POST /api/process-url β returns {jobId} instantly (no timeout)
- GET /api/job/{jobId} β poll for progress / result
- Jobs run in background threads β handles 1hr+ audio safely
- Job results stored in memory for 1 hour then auto-cleaned
- Gradio UI uses same background thread approach
"""
import os
import uuid
import json
import base64
import tempfile
import logging
import subprocess
import threading
import time
import requests
import numpy as np
import gradio as gr
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
from denoiser import Denoiser
from transcriber import Transcriber
from translator import Translator
denoiser = Denoiser()
transcriber = Transcriber()
translator = Translator()
LANGUAGES_DISPLAY = {
"Auto Detect": "auto",
"English": "en", "Telugu": "te",
"Hindi": "hi", "Tamil": "ta",
"Kannada": "kn", "Spanish": "es",
"French": "fr", "German": "de",
"Japanese": "ja", "Chinese": "zh",
"Arabic": "ar",
}
OUT_LANGS = {k: v for k, v in LANGUAGES_DISPLAY.items() if k != "Auto Detect"}
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# JOB STORE β in-memory job registry
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
_jobs: dict = {}
_jobs_lock = threading.Lock()
JOB_TTL_SEC = 3600 # keep results for 1 hour
def _new_job() -> str:
job_id = str(uuid.uuid4())
with _jobs_lock:
_jobs[job_id] = {
"status": "queued",
"step": 0,
"message": "Queued...",
"result": None,
"created_at": time.time(),
}
return job_id
def _update_job(job_id: str, **kwargs):
with _jobs_lock:
if job_id in _jobs:
_jobs[job_id].update(kwargs)
def _get_job(job_id: str) -> dict:
with _jobs_lock:
return dict(_jobs.get(job_id, {}))
def _cleanup_loop():
"""Remove jobs older than JOB_TTL_SEC β runs every 5 minutes."""
while True:
time.sleep(300)
now = time.time()
with _jobs_lock:
expired = [k for k, v in _jobs.items()
if now - v.get("created_at", 0) > JOB_TTL_SEC]
for k in expired:
del _jobs[k]
if expired:
logger.info(f"[Jobs] Cleaned {len(expired)} expired jobs")
threading.Thread(target=_cleanup_loop, daemon=True).start()
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# AUDIO FORMAT CONVERTER
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def convert_to_wav(audio_path: str) -> str:
if audio_path is None:
return audio_path
ext = os.path.splitext(audio_path)[1].lower()
if ext in [".wav", ".mp3", ".flac", ".ogg", ".aac"]:
return audio_path
try:
converted = audio_path + "_converted.wav"
result = subprocess.run([
"ffmpeg", "-y", "-i", audio_path,
"-ar", "16000", "-ac", "1", "-acodec", "pcm_s16le", converted
], capture_output=True)
if result.returncode == 0 and os.path.exists(converted):
logger.info(f"Converted {ext} β .wav")
return converted
except Exception as e:
logger.warning(f"Conversion error: {e}")
return audio_path
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# CORE PIPELINE
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def run_pipeline(audio_path, src_lang="auto", tgt_lang="te",
opt_fillers=True, opt_stutters=True, opt_silences=True,
opt_breaths=True, opt_mouth=True, job_id=None):
def progress(step, message):
update = {"status": "processing", "step": step, "message": message}
if job_id:
_update_job(job_id, **update)
return update
out_dir = tempfile.mkdtemp()
try:
yield progress(1, "β³ Step 1/5 β Denoising...")
denoise1 = denoiser.process(
audio_path, out_dir,
remove_fillers=False, remove_stutters=False,
remove_silences=opt_silences, remove_breaths=opt_breaths,
remove_mouth_sounds=opt_mouth, word_segments=None,
)
clean1 = denoise1['audio_path']
stats = denoise1['stats']
yield progress(2, "β³ Step 2/5 β Transcribing...")
transcript, detected_lang, t_method = transcriber.transcribe(clean1, src_lang)
word_segs = transcriber._last_segments
if (opt_fillers or opt_stutters) and word_segs:
yield progress(3, "β³ Step 3/5 β Removing fillers & stutters...")
import soundfile as sf
audio_data, sr = sf.read(clean1)
if audio_data.ndim == 2:
audio_data = audio_data.mean(axis=1)
audio_data = audio_data.astype(np.float32)
if opt_fillers:
audio_data, n_f = denoiser._remove_fillers(audio_data, sr, word_segs)
stats['fillers_removed'] = n_f
transcript = denoiser.clean_transcript_fillers(transcript)
if opt_stutters:
audio_data, n_s = denoiser._remove_stutters(audio_data, sr, word_segs)
stats['stutters_removed'] = n_s
sf.write(clean1, audio_data, sr, subtype="PCM_24")
else:
stats['fillers_removed'] = 0
stats['stutters_removed'] = 0
translation = transcript
tl_method = "same language"
if tgt_lang != "auto" and detected_lang != tgt_lang:
yield progress(4, "β³ Step 4/5 β Translating...")
translation, tl_method = translator.translate(transcript, detected_lang, tgt_lang)
yield progress(5, "β³ Step 5/5 β Summarizing...")
summary = translator.summarize(transcript)
with open(clean1, "rb") as f:
enhanced_b64 = base64.b64encode(f.read()).decode("utf-8")
result = {
"status": "done",
"step": 5,
"message": "β
Done!",
"transcript": transcript,
"translation": translation,
"summary": summary,
"audioPath": clean1,
"enhancedAudio": enhanced_b64,
"stats": {
"language": detected_lang.upper(),
"noise_method": stats.get("noise_method", "noisereduce"),
"fillers_removed": stats.get("fillers_removed", 0),
"stutters_removed": stats.get("stutters_removed", 0),
"silences_removed_sec": stats.get("silences_removed_sec", 0),
"breaths_reduced": stats.get("breaths_reduced", False),
"mouth_sounds_removed": stats.get("mouth_sounds_removed", 0),
"transcription_method": t_method,
"translation_method": tl_method,
"processing_sec": stats.get("processing_sec", 0),
"word_segments": len(word_segs),
"transcript_words": len(transcript.split()),
},
}
if job_id:
_update_job(job_id, status="done", step=5,
message="β
Done!", result=result)
yield result
except Exception as e:
logger.error(f"Pipeline failed: {e}", exc_info=True)
err = {"status": "error", "message": f"β Error: {str(e)}"}
if job_id:
_update_job(job_id, **err)
yield err
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# BACKGROUND WORKER
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _run_job_in_background(job_id, audio_path, src_lang, tgt_lang,
opt_fillers, opt_stutters, opt_silences,
opt_breaths, opt_mouth):
try:
for _ in run_pipeline(
audio_path, src_lang, tgt_lang,
opt_fillers, opt_stutters, opt_silences,
opt_breaths, opt_mouth, job_id=job_id
):
pass
except Exception as e:
_update_job(job_id, status="error", message=f"β {e}")
finally:
try:
os.unlink(audio_path)
except Exception:
pass
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# GRADIO UI
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def process_audio_gradio(audio_path, in_lang_name, out_lang_name,
opt_fillers, opt_stutters, opt_silences,
opt_breaths, opt_mouth):
if audio_path is None:
yield ("β Please upload an audio file.", "", "", None, "", "")
return
if isinstance(audio_path, dict):
audio_path = audio_path.get("name") or audio_path.get("path", "")
audio_path = convert_to_wav(audio_path)
src_lang = LANGUAGES_DISPLAY.get(in_lang_name, "auto")
tgt_lang = LANGUAGES_DISPLAY.get(out_lang_name, "te")
# Start background job
job_id = _new_job()
threading.Thread(
target=_run_job_in_background,
args=(job_id, audio_path, src_lang, tgt_lang,
opt_fillers, opt_stutters, opt_silences,
opt_breaths, opt_mouth),
daemon=True,
).start()
# Poll and stream progress to Gradio UI
while True:
time.sleep(2)
job = _get_job(job_id)
if not job:
yield ("β Job not found.", "", "", None, "", "")
return
status = job.get("status")
message = job.get("message", "Processing...")
if status in ("queued", "downloading", "processing"):
yield (message, "", "", None, "", "")
elif status == "done":
result = job.get("result", {})
s = result.get("stats", {})
stats_str = "\n".join([
f"ποΈ Language : {s.get('language','?')}",
f"π Noise method : {s.get('noise_method','?')}",
f"ποΈ Fillers : {s.get('fillers_removed', 0)} removed",
f"π Stutters : {s.get('stutters_removed', 0)} removed",
f"π€« Silences : {s.get('silences_removed_sec', 0):.1f}s removed",
f"π Transcription : {s.get('transcription_method','?')}",
f"π Translation : {s.get('translation_method','?')}",
f"β±οΈ Total time : {s.get('processing_sec', 0):.1f}s",
])
yield (result.get("message", "β
Done!"),
result.get("transcript", ""),
result.get("translation", ""),
result.get("audioPath"),
stats_str,
result.get("summary", ""))
return
elif status == "error":
yield (job.get("message", "β Error"), "", "", None, "Failed.", "")
return
with gr.Blocks(title="ClearWave AI") as demo:
gr.Markdown("# π΅ ClearWave AI\n### Professional Audio Enhancement β handles 1hr+ audio!")
with gr.Row():
with gr.Column(scale=1):
audio_in = gr.File(
label="π Upload Audio (MP3, WAV, MPEG, MP4, AAC, OGG, FLAC, AMR...)",
file_types=[
".mp3", ".wav", ".mpeg", ".mpg", ".mp4", ".m4a",
".aac", ".ogg", ".flac", ".opus", ".webm", ".amr",
".wma", ".aiff", ".aif", ".midi", ".mid",
],
)
with gr.Row():
in_lang = gr.Dropdown(label="Input Language",
choices=list(LANGUAGES_DISPLAY.keys()),
value="Auto Detect")
out_lang = gr.Dropdown(label="Output Language",
choices=list(OUT_LANGS.keys()),
value="Telugu")
gr.Markdown("### ποΈ Options")
with gr.Row():
opt_fillers = gr.Checkbox(label="ποΈ Remove Fillers", value=True)
opt_stutters = gr.Checkbox(label="π Remove Stutters", value=True)
with gr.Row():
opt_silences = gr.Checkbox(label="π€« Remove Silences", value=True)
opt_breaths = gr.Checkbox(label="π¨ Reduce Breaths", value=True)
with gr.Row():
opt_mouth = gr.Checkbox(label="π Reduce Mouth Sounds", value=True)
process_btn = gr.Button("π Process Audio", variant="primary", size="lg")
status_out = gr.Textbox(label="Status", interactive=False, lines=2)
with gr.Column(scale=2):
with gr.Tabs():
with gr.Tab("π Text"):
with gr.Row():
transcript_out = gr.Textbox(label="Transcript", lines=14)
translation_out = gr.Textbox(label="Translation", lines=14)
with gr.Tab("π Clean Audio"):
clean_audio_out = gr.Audio(label="Enhanced Audio", type="filepath")
with gr.Tab("π Stats"):
stats_out = gr.Textbox(label="Stats", lines=12, interactive=False)
with gr.Tab("π Summary"):
summary_out = gr.Textbox(label="Summary", lines=14)
process_btn.click(
fn=process_audio_gradio,
inputs=[audio_in, in_lang, out_lang, opt_fillers, opt_stutters,
opt_silences, opt_breaths, opt_mouth],
outputs=[status_out, transcript_out, translation_out,
clean_audio_out, stats_out, summary_out]
)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# API ROUTES
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
import json as _json
from fastapi import Request as _Request
from fastapi.responses import JSONResponse as _JSONResponse
@demo.app.get("/api/health")
async def api_health():
return _JSONResponse({
"status": "ok",
"service": "ClearWave AI on HuggingFace",
"jobs_active": len(_jobs),
})
@demo.app.post("/api/process-url")
async def api_process_url(request: _Request):
"""
Instantly returns a jobId.
Client polls GET /api/job/{jobId} for progress and result.
No timeout issues β works for 1hr+ audio.
"""
data = await request.json()
if "data" in data and isinstance(data["data"], dict):
data = data["data"]
audio_url = data.get("audioUrl")
audio_id = data.get("audioId", "")
src_lang = data.get("srcLang", "auto")
tgt_lang = data.get("tgtLang", "te")
opt_fillers = data.get("optFillers", True)
opt_stutters = data.get("optStutters", True)
opt_silences = data.get("optSilences", True)
opt_breaths = data.get("optBreaths", True)
opt_mouth = data.get("optMouth", True)
if not audio_url:
return _JSONResponse({"error": "audioUrl is required"}, status_code=400)
job_id = _new_job()
_update_job(job_id, status="downloading", message="Downloading audio...")
def _download_and_run():
tmp_path = None
audio_path = None
try:
# Download
resp = requests.get(audio_url, timeout=300, stream=True)
resp.raise_for_status()
url_lower = audio_url.lower()
if "wav" in url_lower: suffix = ".wav"
elif "mpeg" in url_lower: suffix = ".mpeg"
elif "mp4" in url_lower: suffix = ".mp4"
elif "m4a" in url_lower: suffix = ".m4a"
else: suffix = ".mp3"
tmp = tempfile.NamedTemporaryFile(delete=False, suffix=suffix)
tmp_path = tmp.name
downloaded = 0
total = int(resp.headers.get("content-length", 0))
for chunk in resp.iter_content(chunk_size=65536):
if chunk:
tmp.write(chunk)
downloaded += len(chunk)
if total:
pct = int(downloaded * 100 / total)
_update_job(job_id, status="downloading",
message=f"Downloading... {pct}%")
tmp.close()
# Convert format
audio_path = convert_to_wav(tmp_path)
# Run pipeline
for _ in run_pipeline(
audio_path, src_lang, tgt_lang,
opt_fillers, opt_stutters, opt_silences,
opt_breaths, opt_mouth, job_id=job_id
):
pass
# Tag result with audioId
with _jobs_lock:
if job_id in _jobs and _jobs[job_id].get("result"):
_jobs[job_id]["result"]["audioId"] = audio_id
except Exception as e:
logger.error(f"Job {job_id} failed: {e}", exc_info=True)
_update_job(job_id, status="error", message=f"β Error: {str(e)}")
finally:
for p in [tmp_path, audio_path]:
try:
if p and os.path.exists(p):
os.unlink(p)
except Exception:
pass
threading.Thread(target=_download_and_run, daemon=True).start()
return _JSONResponse({
"jobId": job_id,
"audioId": audio_id,
"status": "queued",
"pollUrl": f"/api/job/{job_id}",
"message": "Job started! Poll pollUrl for progress.",
})
@demo.app.get("/api/job/{job_id}")
async def api_get_job(job_id: str):
"""
Poll this to get job progress.
When status=done, result contains full transcript/translation/audio.
"""
job = _get_job(job_id)
if not job:
return _JSONResponse({"error": "Job not found"}, status_code=404)
response = {
"jobId": job_id,
"status": job.get("status"),
"step": job.get("step", 0),
"message": job.get("message", ""),
}
if job.get("status") == "done":
response["result"] = job.get("result", {})
return _JSONResponse(response)
@demo.app.get("/api/jobs")
async def api_list_jobs():
"""List all active jobs."""
with _jobs_lock:
summary = {
k: {"status": v["status"], "step": v.get("step", 0),
"message": v.get("message", "")}
for k, v in _jobs.items()
}
return _JSONResponse({"jobs": summary, "total": len(summary)})
logger.info("β
Routes: /api/health, /api/process-url, /api/job/{id}, /api/jobs")
if __name__ == "__main__":
demo.launch() |