mirror of
https://github.com/RVC-Boss/GPT-SoVITS.git
synced 2025-04-05 19:41:56 +08:00
* modified: GPT_SoVITS/TTS_infer_pack/TTS.py modified: GPT_SoVITS/TTS_infer_pack/TextPreprocessor.py modified: GPT_SoVITS/inference_webui_fast.py * 适配V3版本 * api_v2.py和inference_webui_fast.py的v3适配 * 修改了个远古bug,增加了更友好的提示信息 * 优化webui * 修改为正确的path * 修复v3 lora模型的载入问题 * 修复读取tts_infer.yaml文件时遇到的编码不匹配的问题
59 lines
1.8 KiB
Python
59 lines
1.8 KiB
Python
# Adapted from https://github.com/junjun3518/alias-free-torch under the Apache License 2.0
|
|
# LICENSE is in incl_licenses directory.
|
|
|
|
import torch.nn as nn
|
|
from torch.nn import functional as F
|
|
from .filter import LowPassFilter1d
|
|
from .filter import kaiser_sinc_filter1d
|
|
|
|
|
|
class UpSample1d(nn.Module):
|
|
def __init__(self, ratio=2, kernel_size=None):
|
|
super().__init__()
|
|
self.ratio = ratio
|
|
self.kernel_size = (
|
|
int(6 * ratio // 2) * 2 if kernel_size is None else kernel_size
|
|
)
|
|
self.stride = ratio
|
|
self.pad = self.kernel_size // ratio - 1
|
|
self.pad_left = self.pad * self.stride + (self.kernel_size - self.stride) // 2
|
|
self.pad_right = (
|
|
self.pad * self.stride + (self.kernel_size - self.stride + 1) // 2
|
|
)
|
|
filter = kaiser_sinc_filter1d(
|
|
cutoff=0.5 / ratio, half_width=0.6 / ratio, kernel_size=self.kernel_size
|
|
)
|
|
self.register_buffer("filter", filter)
|
|
|
|
# x: [B, C, T]
|
|
def forward(self, x):
|
|
_, C, _ = x.shape
|
|
|
|
x = F.pad(x, (self.pad, self.pad), mode="replicate")
|
|
x = self.ratio * F.conv_transpose1d(
|
|
x, self.filter.expand(C, -1, -1), stride=self.stride, groups=C
|
|
)
|
|
x = x[..., self.pad_left : -self.pad_right]
|
|
|
|
return x
|
|
|
|
|
|
class DownSample1d(nn.Module):
|
|
def __init__(self, ratio=2, kernel_size=None):
|
|
super().__init__()
|
|
self.ratio = ratio
|
|
self.kernel_size = (
|
|
int(6 * ratio // 2) * 2 if kernel_size is None else kernel_size
|
|
)
|
|
self.lowpass = LowPassFilter1d(
|
|
cutoff=0.5 / ratio,
|
|
half_width=0.6 / ratio,
|
|
stride=ratio,
|
|
kernel_size=self.kernel_size,
|
|
)
|
|
|
|
def forward(self, x):
|
|
xx = self.lowpass(x)
|
|
|
|
return xx
|