Spaces:
Sleeping
Sleeping
File size: 11,568 Bytes
43602d3 | 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 | # app.py
import os, gc, warnings, logging
import torch, numpy as np, librosa, gradio as gr
from transformers import WhisperProcessor, WhisperForConditionalGeneration, pipeline
from huggingface_hub import login
# -------------------------------
# HF Token Login (for private repos)
# -------------------------------
if "HF_TOKEN" in os.environ:
login(token=os.environ["HF_TOKEN"])
# -------------------------------
# Config & Device
# -------------------------------
warnings.filterwarnings("ignore")
logger = logging.getLogger("whisper_streaming")
logger.setLevel(logging.DEBUG)
device = "cuda" if torch.cuda.is_available() else "cpu"
torch_dtype = torch.float16 if torch.cuda.is_available() else torch.float32
print(f"Using device: {device}, dtype={torch_dtype}")
# -------------------------------
# Model Loading
# -------------------------------
MODEL_OPTIONS = {
"Fine-tuned Cantonese": "thomaskywong0131/whisper-large-v3-cantonese",
"OpenAI Large-v3": "openai/whisper-large-v3",
"OpenAI Large-v3-Turbo": "openai/whisper-large-v3-turbo",
}
def load_model(model_choice="Fine-tuned Cantonese"):
model_name = MODEL_OPTIONS[model_choice]
print(f"Loading model: {model_name}")
if torch.cuda.is_available():
torch.cuda.empty_cache()
gc.collect()
processor = WhisperProcessor.from_pretrained(model_name)
model = WhisperForConditionalGeneration.from_pretrained(
model_name,
dtype=torch_dtype,
device_map="auto" if device == "cuda" else None,
use_safetensors=True,
)
pipe = pipeline(
"automatic-speech-recognition",
model=model,
tokenizer=processor.tokenizer,
feature_extractor=processor.feature_extractor,
dtype=torch_dtype,
generate_kwargs={"language": "yue"} # 強制指定粵語
)
print(f"✅ Successfully loaded: {model_choice}")
return pipe, processor
pipe, processor = load_model("Fine-tuned Cantonese")
# -------------------------------
# HypothesisBuffer
# -------------------------------
class HypothesisBuffer:
def __init__(self):
self.entries = []
def insert(self, new, offset=0):
safe_new = []
for a, b, t in new:
start = a + offset if a is not None else None
end = b + offset if b is not None else None
safe_new.append((start, end, t))
self.entries.extend(safe_new)
def reset(self):
self.entries = []
def get_text(self):
return "".join([t for (_, _, t) in self.entries])
def get_entries(self):
return self.entries
def complete(self):
return self.entries
def flush(self):
return self.entries
# -------------------------------
# OnlineASRProcessor
# -------------------------------
class OnlineASRProcessor:
def __init__(self, pipe, processor, sample_rate=16000):
self.pipe = pipe
self.processor = processor
self.sample_rate = sample_rate
self.audio_accum = np.array([], dtype=np.float32)
self.transcript_buffer = HypothesisBuffer()
def init(self):
self.audio_accum = np.array([], dtype=np.float32)
self.transcript_buffer.reset()
def insert_audio_chunk(self, audio: np.ndarray):
self.audio_accum = np.append(self.audio_accum, audio)
def process_iter(self):
if len(self.audio_accum) < self.sample_rate:
return None, None, ""
try:
result = self.pipe(self.audio_accum, chunk_length_s=10)
txt = result["text"].strip()
except Exception as e:
txt = f"[ASR error: {e}]"
if txt:
self.transcript_buffer.insert([(None, None, txt)])
self.audio_accum = np.array([], dtype=np.float32)
return None, None, txt
return None, None, ""
def finish(self):
if len(self.audio_accum) == 0:
return None, None, ""
try:
result = self.pipe(self.audio_accum, chunk_length_s=30)
txt = result["text"].strip()
except Exception as e:
txt = f"[ASR error: {e}]"
if txt:
self.transcript_buffer.insert([(None, None, txt)])
self.audio_accum = np.array([], dtype=np.float32)
return None, None, txt
return None, None, ""
# -------------------------------
# VACOnlineASRProcessor (Silero VAD)
# -------------------------------
class VACOnlineASRProcessor:
def __init__(self, pipe, processor, silence_sec=0.8, speech_threshold=0.5):
self.online = OnlineASRProcessor(pipe, processor)
self.model, _ = torch.hub.load(
repo_or_dir="snakers4/silero-vad",
model="silero_vad",
force_reload=False
)
self.sample_rate = 16000
self.frame_size = 512
self.silence_sec = silence_sec
self.speech_threshold = speech_threshold
self.reset()
def reset(self):
self.online.init()
self.buffer = np.array([], dtype=np.float32)
self.audio_accum = np.array([], dtype=np.float32)
self.silence_samples = 0
self.flush_queue = []
def insert_audio_chunk(self, audio: np.ndarray):
if audio.dtype != np.float32:
audio = audio.astype(np.float32)
if audio.max() > 1.0 or audio.min() < -1.0:
audio /= 32768.0
self.buffer = np.append(self.buffer, audio)
while len(self.buffer) >= self.frame_size:
frame = self.buffer[:self.frame_size]
self.buffer = self.buffer[self.frame_size:]
tensor = torch.from_numpy(frame).unsqueeze(0)
with torch.no_grad():
speech_prob = self.model(tensor, self.sample_rate).item()
log_debug(f"[VAD] prob={speech_prob:.2f}, silence={self.silence_samples}, accum={len(self.audio_accum)}")
if speech_prob > self.speech_threshold:
self.audio_accum = np.append(self.audio_accum, frame)
self.silence_samples = 0
else:
self.silence_samples += self.frame_size
if self.silence_samples >= self.sample_rate * self.silence_sec:
if len(self.audio_accum) > 0:
self.online.insert_audio_chunk(self.audio_accum)
beg, end, txt = self.online.finish()
if txt:
self.flush_queue.append((beg, end, txt))
log_debug(f"[FLUSH] Added to queue: {txt}")
self.audio_accum = np.array([], dtype=np.float32)
self.silence_samples = 0
def process_iter(self):
if self.flush_queue:
return self.flush_queue.pop(0)
return None, None, ""
def finish(self):
beg, end, txt = self.online.finish()
if txt:
return beg, end, txt
return None, None, ""
# -------------------------------
# Gradio Callbacks
# -------------------------------
stream_text = ""
debug_text = ""
use_vac = False
vac_online = None
online = OnlineASRProcessor(pipe, processor)
silence_sec_value = 0.8
speech_threshold_value = 0.5
def log_debug(msg):
global debug_text
debug_text += msg + "\n"
def start_transcription(vac_mode, silence_sec, speech_threshold):
global stream_text, debug_text, use_vac, vac_online, online
global silence_sec_value, speech_threshold_value
stream_text, debug_text = "", ""
use_vac = vac_mode
silence_sec_value = silence_sec
speech_threshold_value = speech_threshold
if use_vac:
vac_online = VACOnlineASRProcessor(
pipe, processor,
silence_sec=silence_sec_value,
speech_threshold=speech_threshold_value
)
vac_online.reset()
log_debug("[START] VAC mode enabled")
else:
online.init()
log_debug("[START] VAC mode disabled (basic streaming)")
log_debug(f"[SETTINGS] silence_sec={silence_sec_value:.2f}, speech_threshold={speech_threshold_value:.2f}")
return "🔴 Streaming started", gr.update(interactive=False), gr.update(interactive=True), debug_text
def stop_transcription():
return "⏹️ Stopped", gr.update(interactive=True), gr.update(interactive=False), stream_text, debug_text
def process_stream(audio):
global stream_text, debug_text, use_vac, vac_online, online
if audio is None:
return stream_text, debug_text
if isinstance(audio, tuple):
sr, arr = audio
arr = np.array(arr)
if arr.dtype != np.float32:
arr = arr.astype(np.float32)
if arr.max() > 1.0 or arr.min() < -1.0:
arr /= 32768.0
if sr != 16000:
arr = librosa.resample(arr, orig_sr=sr, target_sr=16000)
else:
arr = np.array(audio, dtype=np.float32)
if use_vac:
vac_online.insert_audio_chunk(arr)
beg, end, txt = vac_online.process_iter()
log_debug(f"[VAC] Insert {len(arr)} samples | Output: {txt}")
else:
online.insert_audio_chunk(arr)
beg, end, txt = online.process_iter()
log_debug(f"[Online] Insert {len(arr)} samples | Output: {txt}")
if txt:
stream_text += txt + "\n"
log_debug(f"[Flush] {beg}-{end} | '{txt}'")
return stream_text, debug_text
def clear_text():
global stream_text, debug_text
stream_text = ""
debug_text = ""
return stream_text, debug_text
# -------------------------------
# Gradio UI
# -------------------------------
with gr.Blocks(title="Cantonese Streaming (VAC)", theme=gr.themes.Soft()) as demo:
gr.Markdown("# 🎤 Cantonese Streaming Transcription with VAC + Debug Logs")
gr.Markdown("✅ 支援 VAC,並可在下方調整靜音閾值與語音閾值")
with gr.Row():
with gr.Column(scale=1):
vac_mode = gr.Checkbox(label="啟用 VAC 模式", value=False)
silence_slider = gr.Slider(label="靜音閾值 (秒)", minimum=0.3, maximum=1.2, value=0.8, step=0.1)
threshold_slider = gr.Slider(label="語音閾值", minimum=0.1, maximum=0.9, value=0.5, step=0.05)
start_btn = gr.Button("🔴 Start")
stop_btn = gr.Button("⏹️ Stop", interactive=False)
clear_btn = gr.Button("🗑️ Clear")
with gr.Column(scale=2):
mic = gr.Audio(sources=["microphone"], type="numpy", streaming=True, label="🎙️ Live Input")
output = gr.Textbox(label="📝 Transcript", lines=15, autoscroll=True)
debug_output = gr.Textbox(label="🔎 Debug Window", lines=15, autoscroll=True)
start_btn.click(start_transcription, inputs=[vac_mode, silence_slider, threshold_slider],
outputs=[output, start_btn, stop_btn, debug_output])
stop_btn.click(stop_transcription, outputs=[output, start_btn, stop_btn, output, debug_output])
clear_btn.click(clear_text, outputs=[output, debug_output])
mic.stream(process_stream, inputs=[mic], outputs=[output, debug_output], stream_every=0.5)
if __name__ == "__main__":
demo.launch(server_name="0.0.0.0",
server_port=7860,
share=False,
ssr_mode=False) # 關閉 SSR |