This commit is contained in:
Boris Talesnik 2026-03-30 10:12:21 +08:00 committed by GitHub
commit 21b62cfff9
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194

View File

@ -656,8 +656,17 @@ class MelSTFT(nn.Module):
class VocoderWithBWE(torch.nn.Module):
"""Vocoder with bandwidth extension (BWE) for higher sample rate output.
Chains a base vocoder (mel low-rate waveform) with a BWE stage that upsamples
Chains a base vocoder (mel -> low-rate waveform) with a BWE stage that upsamples
to a higher rate. The BWE computes a mel spectrogram from the low-rate waveform.
The forward pass is wrapped in ``torch.autocast(dtype=float32)`` so that
all operations run in fp32 regardless of weight dtype or caller context.
The BigVGAN v2 architecture passes signals through 108 sequential
convolutions (18 AMPBlocks x 6 convs) plus 36 anti-aliased activations;
bfloat16 accumulation errors compound through this chain and degrade
spectral metrics by 40-90% while adding only ~70 MB peak VRAM and ~20 ms
latency compared to native bf16. Weights may remain in bf16 for storage
savings -- autocast upcasts them per-op at kernel level.
"""
def __init__(self, config):
@ -697,17 +706,19 @@ class VocoderWithBWE(torch.nn.Module):
return mel.reshape(B, C, mel.shape[1], mel.shape[2]) # (B, C, n_mels, T_frames)
def forward(self, mel_spec):
x = self.vocoder(mel_spec)
_, _, T_low = x.shape
T_out = T_low * self.output_sample_rate // self.input_sample_rate
input_dtype = mel_spec.dtype
with torch.autocast(device_type=mel_spec.device.type, dtype=torch.float32):
x = self.vocoder(mel_spec.float())
_, _, T_low = x.shape
T_out = T_low * self.output_sample_rate // self.input_sample_rate
remainder = T_low % self.hop_length
if remainder != 0:
x = F.pad(x, (0, self.hop_length - remainder))
remainder = T_low % self.hop_length
if remainder != 0:
x = F.pad(x, (0, self.hop_length - remainder))
mel = self._compute_mel(x)
residual = self.bwe_generator(mel)
skip = self.resampler(x)
assert residual.shape == skip.shape, f"residual {residual.shape} != skip {skip.shape}"
mel = self._compute_mel(x)
residual = self.bwe_generator(mel)
skip = self.resampler(x)
assert residual.shape == skip.shape, f"residual {residual.shape} != skip {skip.shape}"
return torch.clamp(residual + skip, -1, 1)[..., :T_out]
return torch.clamp(residual + skip, -1, 1)[..., :T_out].to(input_dtype)