File size: 21,117 Bytes
b15e31b | 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 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 | # -*- coding: utf-8 -*-
"""
人声分离模块 - 支持 Demucs 和 Mel-Band Roformer (audio-separator)
"""
import os
import gc
import shutil
import torch
import numpy as np
import soundfile as sf
from pathlib import Path
from typing import Tuple, Optional, Callable
from lib.logger import log
from lib.device import get_device, empty_device_cache
# Demucs 导入
try:
from demucs.pretrained import get_model
from demucs.apply import apply_model
import torchaudio
DEMUCS_AVAILABLE = True
except ImportError:
DEMUCS_AVAILABLE = False
# audio-separator 导入 (Mel-Band Roformer 等)
try:
from audio_separator.separator import Separator
AUDIO_SEPARATOR_AVAILABLE = True
# 抑制 audio-separator 的英文日志,我们有自己的中文日志
import logging as _logging
_logging.getLogger("audio_separator").setLevel(_logging.WARNING)
except ImportError:
AUDIO_SEPARATOR_AVAILABLE = False
# Mel-Band Roformer 默认模型
ROFORMER_DEFAULT_MODEL = "vocals_mel_band_roformer.ckpt"
KARAOKE_DEFAULT_MODEL = "mel_band_roformer_karaoke_gabox.ckpt"
KARAOKE_FALLBACK_MODELS = [
"mel_band_roformer_karaoke_aufr33_viperx_sdr_10.1956.ckpt",
]
def _resolve_output_files(output_files, output_dir: Path) -> list[str]:
"""Resolve relative output filenames returned by audio-separator."""
resolved_files = []
for file_name in output_files:
file_path = Path(file_name)
if not file_path.is_absolute():
file_path = output_dir / file_path
resolved_files.append(str(file_path))
return resolved_files
def _safe_move(src_path: str, dst_path: str) -> None:
"""Move file with overwrite."""
if src_path == dst_path:
return
dst = Path(dst_path)
if dst.exists():
dst.unlink()
shutil.move(src_path, dst_path)
def _get_audio_activity_stats(audio_path: str) -> tuple[float, float, int]:
"""Return simple activity stats for validating separator outputs."""
audio, _ = sf.read(audio_path, dtype="float32", always_2d=True)
if audio.size == 0:
return 0.0, 0.0, 0
mono = np.mean(audio, axis=1, dtype=np.float32)
rms = float(np.sqrt(np.mean(np.square(mono), dtype=np.float64) + 1e-12))
peak = float(np.max(np.abs(mono)))
nonzero = int(np.count_nonzero(np.abs(mono) > 1e-6))
return rms, peak, nonzero
class RoformerSeparator:
"""人声分离器 - 基于 Mel-Band Roformer (通过 audio-separator)"""
def __init__(
self,
model_filename: str = ROFORMER_DEFAULT_MODEL,
device: str = "cuda",
):
if not AUDIO_SEPARATOR_AVAILABLE:
raise ImportError(
"请安装 audio-separator: pip install audio-separator[gpu]"
)
self.model_filename = model_filename
self.device = str(get_device(device))
self.separator = None
def load_model(self, output_dir: str = ""):
"""加载 Roformer 模型"""
model_dir = str(
Path(__file__).parent.parent / "assets" / "separator_models"
)
Path(model_dir).mkdir(parents=True, exist_ok=True)
target_dir = output_dir or str(
Path(__file__).parent.parent / "temp" / "separator"
)
# Recreate the Separator when output_dir changes, because
# some audio-separator versions cache internal paths at init.
if self.separator is not None:
if getattr(self, '_init_output_dir', None) == target_dir:
return
# output_dir changed — rebuild Separator
del self.separator
self.separator = None
gc.collect()
log.info(f"正在加载 Mel-Band Roformer 模型: {self.model_filename}")
self.separator = Separator(
log_level=_logging.WARNING,
output_dir=target_dir,
model_file_dir=model_dir,
)
self._init_output_dir = target_dir
self.separator.load_model(self.model_filename)
log.info("Mel-Band Roformer 模型已加载")
def separate(
self,
audio_path: str,
output_dir: str,
progress_callback: Optional[Callable[[str, float], None]] = None,
) -> Tuple[str, str]:
"""
分离人声和伴奏
Returns:
Tuple[vocals_path, accompaniment_path]
"""
output_path = Path(output_dir)
output_path.mkdir(parents=True, exist_ok=True)
if progress_callback:
progress_callback("正在加载 Roformer 模型...", 0.1)
self.load_model(output_dir=str(output_path))
# audio-separator 需要 output_dir 在实例上设置
self.separator.output_dir = str(output_path)
if progress_callback:
progress_callback("正在使用 Mel-Band Roformer 分离人声...", 0.3)
output_files = self.separator.separate(audio_path)
# audio-separator 返回的可能是纯文件名,需要拼上 output_dir
resolved_files = []
for f in output_files:
p = Path(f)
if not p.is_absolute():
p = output_path / p
resolved_files.append(str(p))
# Fallback: if resolved files don't exist, search the output dir
# for freshly created files. This handles cases where audio-separator
# writes to a slightly different path (e.g. after output_dir update
# on a reused Separator instance).
if resolved_files and not any(Path(f).exists() for f in resolved_files):
import glob as _glob
all_wavs = sorted(
_glob.glob(str(output_path / "*.wav")),
key=lambda x: os.path.getmtime(x),
reverse=True,
)
# Take the most recent files (should be our separation output)
if len(all_wavs) >= 2:
resolved_files = all_wavs[:2]
elif len(all_wavs) == 1:
resolved_files = all_wavs[:1]
# audio-separator 返回文件列表,通常 [primary, secondary]
# primary = Vocals, secondary = Instrumental (或反过来,取决于模型)
vocals_path = None
accompaniment_path = None
for f in resolved_files:
f_lower = Path(f).name.lower()
# audio-separator uses parenthesized stem markers like (vocals), (other)
# Check these first to avoid false matches from model names (e.g. vocals_mel_band_roformer)
if "(other)" in f_lower or "(instrumental)" in f_lower or "(no_vocal" in f_lower:
accompaniment_path = f
elif "(vocal" in f_lower or "(primary)" in f_lower:
vocals_path = f
elif "instrument" in f_lower or "no_vocal" in f_lower or "secondary" in f_lower:
accompaniment_path = f
elif "vocal" in f_lower or "primary" in f_lower:
vocals_path = f
# 如果无法通过文件名判断,按顺序分配
if vocals_path is None and accompaniment_path is None and len(resolved_files) >= 2:
vocals_path = resolved_files[0]
accompaniment_path = resolved_files[1]
elif vocals_path is None and len(resolved_files) >= 1:
vocals_path = resolved_files[0]
elif accompaniment_path is None and len(resolved_files) >= 2:
accompaniment_path = resolved_files[1]
# 重命名为标准名称
final_vocals = str(output_path / "vocals.wav")
final_accompaniment = str(output_path / "accompaniment.wav")
if vocals_path and vocals_path != final_vocals:
if not Path(vocals_path).exists():
raise FileNotFoundError(
f"分离器输出人声文件不存在: {vocals_path}\n"
f"输出目录内容: {list(output_path.glob('*'))}"
)
shutil.move(vocals_path, final_vocals)
if accompaniment_path and accompaniment_path != final_accompaniment:
if not Path(accompaniment_path).exists():
raise FileNotFoundError(
f"分离器输出伴奏文件不存在: {accompaniment_path}\n"
f"输出目录内容: {list(output_path.glob('*'))}"
)
shutil.move(accompaniment_path, final_accompaniment)
if progress_callback:
progress_callback("Mel-Band Roformer 人声分离完成", 1.0)
return final_vocals, final_accompaniment
def unload_model(self):
"""卸载模型释放显存"""
if self.separator is not None:
del self.separator
self.separator = None
gc.collect()
empty_device_cache()
class KaraokeSeparator:
"""主唱/和声分离器 - 基于 Mel-Band Roformer Karaoke 模型"""
def __init__(
self,
model_filename: str = KARAOKE_DEFAULT_MODEL,
device: str = "cuda",
):
if not AUDIO_SEPARATOR_AVAILABLE:
raise ImportError(
"请安装 audio-separator: pip install audio-separator[gpu]"
)
self.device = str(get_device(device))
self.separator = None
self.active_model = None
models = [model_filename]
for fallback in KARAOKE_FALLBACK_MODELS:
if fallback not in models:
models.append(fallback)
self.model_candidates = models
def load_model(self, output_dir: str = ""):
"""加载 Karaoke 模型(主模型失败时自动回退)"""
model_dir = str(Path(__file__).parent.parent / "assets" / "separator_models")
Path(model_dir).mkdir(parents=True, exist_ok=True)
target_dir = output_dir or str(
Path(__file__).parent.parent / "temp" / "separator"
)
# Recreate the Separator when output_dir changes
if self.separator is not None:
if getattr(self, '_init_output_dir', None) == target_dir:
return
del self.separator
self.separator = None
self.active_model = None
gc.collect()
last_error = None
for model_name in self.model_candidates:
try:
log.info(f"正在加载 Karaoke 模型: {model_name}")
separator = Separator(
log_level=_logging.WARNING,
output_dir=target_dir,
model_file_dir=model_dir,
)
separator.load_model(model_name)
self.separator = separator
self._init_output_dir = target_dir
self.active_model = model_name
log.info("Karaoke 模型已加载")
return
except Exception as exc:
last_error = exc
log.warning(f"Karaoke 模型加载失败: {model_name} ({exc})")
raise RuntimeError(f"无法加载 Karaoke 模型: {last_error}")
@staticmethod
def _classify_stem(file_name: str) -> Optional[str]:
lower_name = file_name.lower()
lead_markers = [
"(vocals)",
"(lead)",
"(karaoke)",
"(main_vocal)",
"(main vocals)",
"_(vocals)_",
]
backing_markers = [
"(instrumental)",
"(other)",
"(backing)",
"(no_vocal",
"_(instrumental)_",
"_(other)_",
]
for marker in lead_markers:
if marker in lower_name:
return "lead"
for marker in backing_markers:
if marker in lower_name:
return "backing"
if "vocals" in lower_name:
return "lead"
if "instrumental" in lower_name or "other" in lower_name:
return "backing"
return None
def separate(self, audio_path: str, output_dir: str) -> Tuple[str, str]:
"""
分离主唱和和声
Returns:
Tuple[lead_vocals_path, backing_vocals_path]
"""
output_path = Path(output_dir)
output_path.mkdir(parents=True, exist_ok=True)
self.load_model(output_dir=str(output_path))
self.separator.output_dir = str(output_path)
output_files = self.separator.separate(audio_path)
resolved_files = _resolve_output_files(output_files, output_path)
log.detail(
f"Karaoke分离器输出文件: {[Path(file_path).name for file_path in resolved_files]}"
)
lead_vocals_path = None
backing_vocals_path = None
for file_path in resolved_files:
stem_role = self._classify_stem(Path(file_path).name)
log.detail(
f" {Path(file_path).name} -> 分类为: {stem_role or 'unknown'}"
)
if stem_role == "lead" and lead_vocals_path is None:
lead_vocals_path = file_path
elif stem_role == "backing" and backing_vocals_path is None:
backing_vocals_path = file_path
if lead_vocals_path is None and resolved_files:
lead_vocals_path = resolved_files[0]
if backing_vocals_path is None:
for file_path in resolved_files:
if file_path != lead_vocals_path:
backing_vocals_path = file_path
break
if not lead_vocals_path or not Path(lead_vocals_path).exists():
raise FileNotFoundError(
f"Karaoke主唱轨未找到,输出文件: {[Path(p).name for p in resolved_files]}"
)
if not backing_vocals_path or not Path(backing_vocals_path).exists():
raise FileNotFoundError(
f"Karaoke和声轨未找到,输出文件: {[Path(p).name for p in resolved_files]}"
)
lead_rms, lead_peak, lead_nonzero = _get_audio_activity_stats(lead_vocals_path)
backing_rms, backing_peak, backing_nonzero = _get_audio_activity_stats(backing_vocals_path)
log.detail(
"Karaoke输出能量检测: "
f"lead_rms={lead_rms:.6f}, lead_peak={lead_peak:.6f}, lead_nonzero={lead_nonzero}; "
f"backing_rms={backing_rms:.6f}, backing_peak={backing_peak:.6f}, backing_nonzero={backing_nonzero}"
)
lead_is_nearly_silent = lead_nonzero == 0 or (lead_rms < 1e-5 and lead_peak < 1e-4)
backing_has_content = backing_nonzero > 0 and (backing_rms >= 5e-5 or backing_peak >= 5e-4)
if lead_is_nearly_silent and backing_has_content:
log.warning("Karaoke主唱轨几乎静音,检测到输出疑似反转,已自动交换主唱/和声")
lead_vocals_path, backing_vocals_path = backing_vocals_path, lead_vocals_path
final_lead = str(output_path / "lead_vocals.wav")
final_backing = str(output_path / "backing_vocals.wav")
_safe_move(lead_vocals_path, final_lead)
_safe_move(backing_vocals_path, final_backing)
return final_lead, final_backing
def unload_model(self):
"""卸载模型释放显存"""
if self.separator is not None:
del self.separator
self.separator = None
self.active_model = None
gc.collect()
empty_device_cache()
class VocalSeparator:
"""人声分离器 - 基于 Demucs"""
def __init__(
self,
model_name: str = "htdemucs",
device: str = "cuda",
shifts: int = 2,
overlap: float = 0.25,
split: bool = True
):
"""
初始化分离器
Args:
model_name: Demucs 模型名称 (htdemucs, htdemucs_ft, mdx_extra)
device: 计算设备
"""
if not DEMUCS_AVAILABLE:
raise ImportError("请安装 demucs: pip install demucs")
self.model_name = model_name
self.device = str(get_device(device))
self.model = None
self.shifts = shifts
self.overlap = overlap
self.split = split
def load_model(self):
"""加载 Demucs 模型"""
if self.model is not None:
return
log.info(f"正在加载 Demucs 模型: {self.model_name}")
self.model = get_model(self.model_name)
self.model.to(self.device)
self.model.eval()
log.info(f"Demucs 模型已加载 ({self.device})")
def separate(
self,
audio_path: str,
output_dir: str,
progress_callback: Optional[Callable[[str, float], None]] = None
) -> Tuple[str, str]:
"""
分离人声和伴奏
Args:
audio_path: 输入音频路径
output_dir: 输出目录
progress_callback: 进度回调 (message, progress)
Returns:
Tuple[vocals_path, accompaniment_path]
"""
self.load_model()
output_path = Path(output_dir)
output_path.mkdir(parents=True, exist_ok=True)
if progress_callback:
progress_callback("正在加载音频...", 0.1)
# 加载音频
waveform, sample_rate = torchaudio.load(audio_path)
# 重采样到模型采样率
if sample_rate != self.model.samplerate:
resampler = torchaudio.transforms.Resample(sample_rate, self.model.samplerate)
waveform = resampler(waveform)
# 确保是立体声
if waveform.shape[0] == 1:
waveform = waveform.repeat(2, 1)
elif waveform.shape[0] > 2:
waveform = waveform[:2]
# 添加 batch 维度
waveform = waveform.unsqueeze(0).to(self.device)
if progress_callback:
progress_callback("正在分离人声...", 0.3)
# 执行分离
with torch.no_grad():
try:
sources = apply_model(
self.model,
waveform,
device=self.device,
shifts=self.shifts,
overlap=self.overlap,
split=self.split
)
except TypeError:
sources = apply_model(self.model, waveform, device=self.device)
# sources 形状: (batch, sources, channels, samples)
# 获取各音轨索引
source_names = self.model.sources
vocals_idx = source_names.index("vocals")
drums_idx = source_names.index("drums")
bass_idx = source_names.index("bass")
other_idx = source_names.index("other")
# 提取人声
vocals = sources[0, vocals_idx] # (channels, samples)
# 合并非人声音轨作为伴奏
accompaniment = sources[0, drums_idx] + sources[0, bass_idx] + sources[0, other_idx]
if progress_callback:
progress_callback("正在保存分离结果...", 0.8)
# 保存结果
vocals_path = output_path / "vocals.wav"
accompaniment_path = output_path / "accompaniment.wav"
# 保存为 WAV
torchaudio.save(
str(vocals_path),
vocals.cpu(),
self.model.samplerate
)
torchaudio.save(
str(accompaniment_path),
accompaniment.cpu(),
self.model.samplerate
)
if progress_callback:
progress_callback("人声分离完成", 1.0)
# 释放显存
empty_device_cache()
return str(vocals_path), str(accompaniment_path)
def unload_model(self):
"""卸载模型释放显存"""
if self.model is not None:
self.model.cpu() # 先移到 CPU
del self.model
self.model = None
gc.collect()
empty_device_cache()
def check_demucs_available() -> bool:
"""检查 Demucs 是否可用"""
return DEMUCS_AVAILABLE
def check_roformer_available() -> bool:
"""检查 audio-separator (Roformer) 是否可用"""
return AUDIO_SEPARATOR_AVAILABLE
def get_available_models() -> list:
"""获取可用的分离模型列表"""
models = []
if AUDIO_SEPARATOR_AVAILABLE:
models.append({
"name": "roformer",
"description": "Mel-Band Roformer (Kimberley Jensen) - 高质量人声分离"
})
if DEMUCS_AVAILABLE:
models.extend([
{"name": "htdemucs", "description": "Demucs 默认模型,平衡质量和速度 (SDR ~9dB)"},
{"name": "htdemucs_ft", "description": "Demucs 微调版本,质量更高但更慢"},
{"name": "mdx_extra", "description": "MDX 模型,适合某些音乐类型"},
])
return models
|