aishams commited on
Commit
c078a06
·
1 Parent(s): 070f200

Upload 4 files

Browse files
inference/__init__.py ADDED
File without changes
inference/infer_tool.py ADDED
@@ -0,0 +1,251 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import hashlib
2
+ import io
3
+ import json
4
+ import logging
5
+ import os
6
+ import time
7
+ from pathlib import Path
8
+ from inference import slicer
9
+
10
+ import librosa
11
+ import numpy as np
12
+ # import onnxruntime
13
+ import parselmouth
14
+ import soundfile
15
+ import torch
16
+ import torchaudio
17
+
18
+ import cluster
19
+ from hubert import hubert_model
20
+ import utils
21
+ from models import SynthesizerTrn
22
+
23
+ logging.getLogger('matplotlib').setLevel(logging.WARNING)
24
+
25
+
26
+ def read_temp(file_name):
27
+ if not os.path.exists(file_name):
28
+ with open(file_name, "w") as f:
29
+ f.write(json.dumps({"info": "temp_dict"}))
30
+ return {}
31
+ else:
32
+ try:
33
+ with open(file_name, "r") as f:
34
+ data = f.read()
35
+ data_dict = json.loads(data)
36
+ if os.path.getsize(file_name) > 50 * 1024 * 1024:
37
+ f_name = file_name.replace("\\", "/").split("/")[-1]
38
+ print(f"clean {f_name}")
39
+ for wav_hash in list(data_dict.keys()):
40
+ if int(time.time()) - int(data_dict[wav_hash]["time"]) > 14 * 24 * 3600:
41
+ del data_dict[wav_hash]
42
+ except Exception as e:
43
+ print(e)
44
+ print(f"{file_name} error,auto rebuild file")
45
+ data_dict = {"info": "temp_dict"}
46
+ return data_dict
47
+
48
+
49
+ def write_temp(file_name, data):
50
+ with open(file_name, "w") as f:
51
+ f.write(json.dumps(data))
52
+
53
+
54
+ def timeit(func):
55
+ def run(*args, **kwargs):
56
+ t = time.time()
57
+ res = func(*args, **kwargs)
58
+ print('executing \'%s\' costed %.3fs' % (func.__name__, time.time() - t))
59
+ return res
60
+
61
+ return run
62
+
63
+
64
+ def format_wav(audio_path):
65
+ if Path(audio_path).suffix == '.wav':
66
+ return
67
+ raw_audio, raw_sample_rate = librosa.load(audio_path, mono=True, sr=None)
68
+ soundfile.write(Path(audio_path).with_suffix(".wav"), raw_audio, raw_sample_rate)
69
+
70
+
71
+ def get_end_file(dir_path, end):
72
+ file_lists = []
73
+ for root, dirs, files in os.walk(dir_path):
74
+ files = [f for f in files if f[0] != '.']
75
+ dirs[:] = [d for d in dirs if d[0] != '.']
76
+ for f_file in files:
77
+ if f_file.endswith(end):
78
+ file_lists.append(os.path.join(root, f_file).replace("\\", "/"))
79
+ return file_lists
80
+
81
+
82
+ def get_md5(content):
83
+ return hashlib.new("md5", content).hexdigest()
84
+
85
+ def fill_a_to_b(a, b):
86
+ if len(a) < len(b):
87
+ for _ in range(0, len(b) - len(a)):
88
+ a.append(a[0])
89
+
90
+ def mkdir(paths: list):
91
+ for path in paths:
92
+ if not os.path.exists(path):
93
+ os.mkdir(path)
94
+
95
+ def pad_array(arr, target_length):
96
+ current_length = arr.shape[0]
97
+ if current_length >= target_length:
98
+ return arr
99
+ else:
100
+ pad_width = target_length - current_length
101
+ pad_left = pad_width // 2
102
+ pad_right = pad_width - pad_left
103
+ padded_arr = np.pad(arr, (pad_left, pad_right), 'constant', constant_values=(0, 0))
104
+ return padded_arr
105
+
106
+
107
+ class Svc(object):
108
+ def __init__(self, net_g_path, config_path,
109
+ device=None,
110
+ cluster_model_path="logs/44k/kmeans_10000.pt"):
111
+ self.net_g_path = net_g_path
112
+ if device is None:
113
+ self.dev = torch.device("cuda" if torch.cuda.is_available() else "cpu")
114
+ else:
115
+ self.dev = torch.device(device)
116
+ self.net_g_ms = None
117
+ self.hps_ms = utils.get_hparams_from_file(config_path)
118
+ self.target_sample = self.hps_ms.data.sampling_rate
119
+ self.hop_size = self.hps_ms.data.hop_length
120
+ self.spk2id = self.hps_ms.spk
121
+ # 加载hubert
122
+ self.hubert_model = utils.get_hubert_model().to(self.dev)
123
+ self.load_model()
124
+ if os.path.exists(cluster_model_path):
125
+ self.cluster_model = cluster.get_cluster_model(cluster_model_path)
126
+
127
+ def load_model(self):
128
+ # 获取模型配置
129
+ self.net_g_ms = SynthesizerTrn(
130
+ self.hps_ms.data.filter_length // 2 + 1,
131
+ self.hps_ms.train.segment_size // self.hps_ms.data.hop_length,
132
+ **self.hps_ms.model)
133
+ _ = utils.load_checkpoint(self.net_g_path, self.net_g_ms, None)
134
+ if "half" in self.net_g_path and torch.cuda.is_available():
135
+ _ = self.net_g_ms.half().eval().to(self.dev)
136
+ else:
137
+ _ = self.net_g_ms.eval().to(self.dev)
138
+
139
+
140
+
141
+ def get_unit_f0(self, in_path, tran, cluster_infer_ratio, speaker):
142
+
143
+ wav, sr = librosa.load(in_path, sr=self.target_sample)
144
+
145
+ f0 = utils.compute_f0_parselmouth(wav, sampling_rate=self.target_sample, hop_length=self.hop_size)
146
+ f0, uv = utils.interpolate_f0(f0)
147
+ f0 = torch.FloatTensor(f0)
148
+ uv = torch.FloatTensor(uv)
149
+ f0 = f0 * 2 ** (tran / 12)
150
+ f0 = f0.unsqueeze(0).to(self.dev)
151
+ uv = uv.unsqueeze(0).to(self.dev)
152
+
153
+ wav16k = librosa.resample(wav, orig_sr=self.target_sample, target_sr=16000)
154
+ wav16k = torch.from_numpy(wav16k).to(self.dev)
155
+ c = utils.get_hubert_content(self.hubert_model, wav_16k_tensor=wav16k)
156
+ c = utils.repeat_expand_2d(c.squeeze(0), f0.shape[1])
157
+
158
+ if cluster_infer_ratio !=0:
159
+ cluster_c = cluster.get_cluster_center_result(self.cluster_model, c.cpu().numpy().T, speaker).T
160
+ cluster_c = torch.FloatTensor(cluster_c).to(self.dev)
161
+ c = cluster_infer_ratio * cluster_c + (1 - cluster_infer_ratio) * c
162
+
163
+ c = c.unsqueeze(0)
164
+ return c, f0, uv
165
+
166
+ def infer(self, speaker, tran, raw_path,
167
+ cluster_infer_ratio=0,
168
+ auto_predict_f0=False,
169
+ noice_scale=0.4):
170
+ speaker_id = self.spk2id.__dict__.get(speaker)
171
+ if not speaker_id and type(speaker) is int:
172
+ if len(self.spk2id.__dict__) >= speaker:
173
+ speaker_id = speaker
174
+ sid = torch.LongTensor([int(speaker_id)]).to(self.dev).unsqueeze(0)
175
+ c, f0, uv = self.get_unit_f0(raw_path, tran, cluster_infer_ratio, speaker)
176
+ if "half" in self.net_g_path and torch.cuda.is_available():
177
+ c = c.half()
178
+ with torch.no_grad():
179
+ start = time.time()
180
+ audio = self.net_g_ms.infer(c, f0=f0, g=sid, uv=uv, predict_f0=auto_predict_f0, noice_scale=noice_scale)[0,0].data.float()
181
+ use_time = time.time() - start
182
+ print("vits use time:{}".format(use_time))
183
+ return audio, audio.shape[-1]
184
+
185
+ def clear_empty(self):
186
+ # 清理显存
187
+ torch.cuda.empty_cache()
188
+
189
+ def slice_inference(self,raw_audio_path, spk, tran, slice_db,cluster_infer_ratio, auto_predict_f0,noice_scale, pad_seconds=0.5):
190
+ wav_path = raw_audio_path
191
+ chunks = slicer.cut(wav_path, db_thresh=slice_db)
192
+ audio_data, audio_sr = slicer.chunks2audio(wav_path, chunks)
193
+
194
+ audio = []
195
+ for (slice_tag, data) in audio_data:
196
+ print(f'#=====segment start, {round(len(data) / audio_sr, 3)}s======')
197
+ # padd
198
+ pad_len = int(audio_sr * pad_seconds)
199
+ data = np.concatenate([np.zeros([pad_len]), data, np.zeros([pad_len])])
200
+ length = int(np.ceil(len(data) / audio_sr * self.target_sample))
201
+ raw_path = io.BytesIO()
202
+ soundfile.write(raw_path, data, audio_sr, format="wav")
203
+ raw_path.seek(0)
204
+ if slice_tag:
205
+ print('jump empty segment')
206
+ _audio = np.zeros(length)
207
+ else:
208
+ out_audio, out_sr = self.infer(spk, tran, raw_path,
209
+ cluster_infer_ratio=cluster_infer_ratio,
210
+ auto_predict_f0=auto_predict_f0,
211
+ noice_scale=noice_scale
212
+ )
213
+ _audio = out_audio.cpu().numpy()
214
+
215
+ pad_len = int(self.target_sample * pad_seconds)
216
+ _audio = _audio[pad_len:-pad_len]
217
+ audio.extend(list(_audio))
218
+ return np.array(audio)
219
+
220
+
221
+ class RealTimeVC:
222
+ def __init__(self):
223
+ self.last_chunk = None
224
+ self.last_o = None
225
+ self.chunk_len = 16000 # 区块长度
226
+ self.pre_len = 3840 # 交叉淡化长度,640的倍数
227
+
228
+ """输入输出都是1维numpy 音频波形数组"""
229
+
230
+ def process(self, svc_model, speaker_id, f_pitch_change, input_wav_path):
231
+ import maad
232
+ audio, sr = torchaudio.load(input_wav_path)
233
+ audio = audio.cpu().numpy()[0]
234
+ temp_wav = io.BytesIO()
235
+ if self.last_chunk is None:
236
+ input_wav_path.seek(0)
237
+ audio, sr = svc_model.infer(speaker_id, f_pitch_change, input_wav_path)
238
+ audio = audio.cpu().numpy()
239
+ self.last_chunk = audio[-self.pre_len:]
240
+ self.last_o = audio
241
+ return audio[-self.chunk_len:]
242
+ else:
243
+ audio = np.concatenate([self.last_chunk, audio])
244
+ soundfile.write(temp_wav, audio, sr, format="wav")
245
+ temp_wav.seek(0)
246
+ audio, sr = svc_model.infer(speaker_id, f_pitch_change, temp_wav)
247
+ audio = audio.cpu().numpy()
248
+ ret = maad.util.crossfade(self.last_o, audio, self.pre_len)
249
+ self.last_chunk = audio[-self.pre_len:]
250
+ self.last_o = audio
251
+ return ret[self.chunk_len:2 * self.chunk_len]
inference/infer_tool_grad.py ADDED
@@ -0,0 +1,160 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import hashlib
2
+ import json
3
+ import logging
4
+ import os
5
+ import time
6
+ from pathlib import Path
7
+ import io
8
+ import librosa
9
+ import maad
10
+ import numpy as np
11
+ from inference import slicer
12
+ import parselmouth
13
+ import soundfile
14
+ import torch
15
+ import torchaudio
16
+
17
+ from hubert import hubert_model
18
+ import utils
19
+ from models import SynthesizerTrn
20
+ logging.getLogger('numba').setLevel(logging.WARNING)
21
+ logging.getLogger('matplotlib').setLevel(logging.WARNING)
22
+
23
+ def resize2d_f0(x, target_len):
24
+ source = np.array(x)
25
+ source[source < 0.001] = np.nan
26
+ target = np.interp(np.arange(0, len(source) * target_len, len(source)) / target_len, np.arange(0, len(source)),
27
+ source)
28
+ res = np.nan_to_num(target)
29
+ return res
30
+
31
+ def get_f0(x, p_len,f0_up_key=0):
32
+
33
+ time_step = 160 / 16000 * 1000
34
+ f0_min = 50
35
+ f0_max = 1100
36
+ f0_mel_min = 1127 * np.log(1 + f0_min / 700)
37
+ f0_mel_max = 1127 * np.log(1 + f0_max / 700)
38
+
39
+ f0 = parselmouth.Sound(x, 16000).to_pitch_ac(
40
+ time_step=time_step / 1000, voicing_threshold=0.6,
41
+ pitch_floor=f0_min, pitch_ceiling=f0_max).selected_array['frequency']
42
+
43
+ pad_size=(p_len - len(f0) + 1) // 2
44
+ if(pad_size>0 or p_len - len(f0) - pad_size>0):
45
+ f0 = np.pad(f0,[[pad_size,p_len - len(f0) - pad_size]], mode='constant')
46
+
47
+ f0 *= pow(2, f0_up_key / 12)
48
+ f0_mel = 1127 * np.log(1 + f0 / 700)
49
+ f0_mel[f0_mel > 0] = (f0_mel[f0_mel > 0] - f0_mel_min) * 254 / (f0_mel_max - f0_mel_min) + 1
50
+ f0_mel[f0_mel <= 1] = 1
51
+ f0_mel[f0_mel > 255] = 255
52
+ f0_coarse = np.rint(f0_mel).astype(np.int)
53
+ return f0_coarse, f0
54
+
55
+ def clean_pitch(input_pitch):
56
+ num_nan = np.sum(input_pitch == 1)
57
+ if num_nan / len(input_pitch) > 0.9:
58
+ input_pitch[input_pitch != 1] = 1
59
+ return input_pitch
60
+
61
+
62
+ def plt_pitch(input_pitch):
63
+ input_pitch = input_pitch.astype(float)
64
+ input_pitch[input_pitch == 1] = np.nan
65
+ return input_pitch
66
+
67
+
68
+ def f0_to_pitch(ff):
69
+ f0_pitch = 69 + 12 * np.log2(ff / 440)
70
+ return f0_pitch
71
+
72
+
73
+ def fill_a_to_b(a, b):
74
+ if len(a) < len(b):
75
+ for _ in range(0, len(b) - len(a)):
76
+ a.append(a[0])
77
+
78
+
79
+ def mkdir(paths: list):
80
+ for path in paths:
81
+ if not os.path.exists(path):
82
+ os.mkdir(path)
83
+
84
+
85
+ class VitsSvc(object):
86
+ def __init__(self):
87
+ self.device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
88
+ self.SVCVITS = None
89
+ self.hps = None
90
+ self.speakers = None
91
+ self.hubert_soft = utils.get_hubert_model()
92
+
93
+ def set_device(self, device):
94
+ self.device = torch.device(device)
95
+ self.hubert_soft.to(self.device)
96
+ if self.SVCVITS != None:
97
+ self.SVCVITS.to(self.device)
98
+
99
+ def loadCheckpoint(self, path):
100
+ self.hps = utils.get_hparams_from_file(f"checkpoints/{path}/config.json")
101
+ self.SVCVITS = SynthesizerTrn(
102
+ self.hps.data.filter_length // 2 + 1,
103
+ self.hps.train.segment_size // self.hps.data.hop_length,
104
+ **self.hps.model)
105
+ _ = utils.load_checkpoint(f"checkpoints/{path}/model.pth", self.SVCVITS, None)
106
+ _ = self.SVCVITS.eval().to(self.device)
107
+ self.speakers = self.hps.spk
108
+
109
+ def get_units(self, source, sr):
110
+ source = source.unsqueeze(0).to(self.device)
111
+ with torch.inference_mode():
112
+ units = self.hubert_soft.units(source)
113
+ return units
114
+
115
+
116
+ def get_unit_pitch(self, in_path, tran):
117
+ source, sr = torchaudio.load(in_path)
118
+ source = torchaudio.functional.resample(source, sr, 16000)
119
+ if len(source.shape) == 2 and source.shape[1] >= 2:
120
+ source = torch.mean(source, dim=0).unsqueeze(0)
121
+ soft = self.get_units(source, sr).squeeze(0).cpu().numpy()
122
+ f0_coarse, f0 = get_f0(source.cpu().numpy()[0], soft.shape[0]*2, tran)
123
+ return soft, f0
124
+
125
+ def infer(self, speaker_id, tran, raw_path):
126
+ speaker_id = self.speakers[speaker_id]
127
+ sid = torch.LongTensor([int(speaker_id)]).to(self.device).unsqueeze(0)
128
+ soft, pitch = self.get_unit_pitch(raw_path, tran)
129
+ f0 = torch.FloatTensor(clean_pitch(pitch)).unsqueeze(0).to(self.device)
130
+ stn_tst = torch.FloatTensor(soft)
131
+ with torch.no_grad():
132
+ x_tst = stn_tst.unsqueeze(0).to(self.device)
133
+ x_tst = torch.repeat_interleave(x_tst, repeats=2, dim=1).transpose(1, 2)
134
+ audio = self.SVCVITS.infer(x_tst, f0=f0, g=sid)[0,0].data.float()
135
+ return audio, audio.shape[-1]
136
+
137
+ def inference(self,srcaudio,chara,tran,slice_db):
138
+ sampling_rate, audio = srcaudio
139
+ audio = (audio / np.iinfo(audio.dtype).max).astype(np.float32)
140
+ if len(audio.shape) > 1:
141
+ audio = librosa.to_mono(audio.transpose(1, 0))
142
+ if sampling_rate != 16000:
143
+ audio = librosa.resample(audio, orig_sr=sampling_rate, target_sr=16000)
144
+ soundfile.write("tmpwav.wav", audio, 16000, format="wav")
145
+ chunks = slicer.cut("tmpwav.wav", db_thresh=slice_db)
146
+ audio_data, audio_sr = slicer.chunks2audio("tmpwav.wav", chunks)
147
+ audio = []
148
+ for (slice_tag, data) in audio_data:
149
+ length = int(np.ceil(len(data) / audio_sr * self.hps.data.sampling_rate))
150
+ raw_path = io.BytesIO()
151
+ soundfile.write(raw_path, data, audio_sr, format="wav")
152
+ raw_path.seek(0)
153
+ if slice_tag:
154
+ _audio = np.zeros(length)
155
+ else:
156
+ out_audio, out_sr = self.infer(chara, tran, raw_path)
157
+ _audio = out_audio.cpu().numpy()
158
+ audio.extend(list(_audio))
159
+ audio = (np.array(audio) * 32768.0).astype('int16')
160
+ return (self.hps.data.sampling_rate,audio)
inference/slicer.py ADDED
@@ -0,0 +1,142 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import librosa
2
+ import torch
3
+ import torchaudio
4
+
5
+
6
+ class Slicer:
7
+ def __init__(self,
8
+ sr: int,
9
+ threshold: float = -40.,
10
+ min_length: int = 5000,
11
+ min_interval: int = 300,
12
+ hop_size: int = 20,
13
+ max_sil_kept: int = 5000):
14
+ if not min_length >= min_interval >= hop_size:
15
+ raise ValueError('The following condition must be satisfied: min_length >= min_interval >= hop_size')
16
+ if not max_sil_kept >= hop_size:
17
+ raise ValueError('The following condition must be satisfied: max_sil_kept >= hop_size')
18
+ min_interval = sr * min_interval / 1000
19
+ self.threshold = 10 ** (threshold / 20.)
20
+ self.hop_size = round(sr * hop_size / 1000)
21
+ self.win_size = min(round(min_interval), 4 * self.hop_size)
22
+ self.min_length = round(sr * min_length / 1000 / self.hop_size)
23
+ self.min_interval = round(min_interval / self.hop_size)
24
+ self.max_sil_kept = round(sr * max_sil_kept / 1000 / self.hop_size)
25
+
26
+ def _apply_slice(self, waveform, begin, end):
27
+ if len(waveform.shape) > 1:
28
+ return waveform[:, begin * self.hop_size: min(waveform.shape[1], end * self.hop_size)]
29
+ else:
30
+ return waveform[begin * self.hop_size: min(waveform.shape[0], end * self.hop_size)]
31
+
32
+ # @timeit
33
+ def slice(self, waveform):
34
+ if len(waveform.shape) > 1:
35
+ samples = librosa.to_mono(waveform)
36
+ else:
37
+ samples = waveform
38
+ if samples.shape[0] <= self.min_length:
39
+ return {"0": {"slice": False, "split_time": f"0,{len(waveform)}"}}
40
+ rms_list = librosa.feature.rms(y=samples, frame_length=self.win_size, hop_length=self.hop_size).squeeze(0)
41
+ sil_tags = []
42
+ silence_start = None
43
+ clip_start = 0
44
+ for i, rms in enumerate(rms_list):
45
+ # Keep looping while frame is silent.
46
+ if rms < self.threshold:
47
+ # Record start of silent frames.
48
+ if silence_start is None:
49
+ silence_start = i
50
+ continue
51
+ # Keep looping while frame is not silent and silence start has not been recorded.
52
+ if silence_start is None:
53
+ continue
54
+ # Clear recorded silence start if interval is not enough or clip is too short
55
+ is_leading_silence = silence_start == 0 and i > self.max_sil_kept
56
+ need_slice_middle = i - silence_start >= self.min_interval and i - clip_start >= self.min_length
57
+ if not is_leading_silence and not need_slice_middle:
58
+ silence_start = None
59
+ continue
60
+ # Need slicing. Record the range of silent frames to be removed.
61
+ if i - silence_start <= self.max_sil_kept:
62
+ pos = rms_list[silence_start: i + 1].argmin() + silence_start
63
+ if silence_start == 0:
64
+ sil_tags.append((0, pos))
65
+ else:
66
+ sil_tags.append((pos, pos))
67
+ clip_start = pos
68
+ elif i - silence_start <= self.max_sil_kept * 2:
69
+ pos = rms_list[i - self.max_sil_kept: silence_start + self.max_sil_kept + 1].argmin()
70
+ pos += i - self.max_sil_kept
71
+ pos_l = rms_list[silence_start: silence_start + self.max_sil_kept + 1].argmin() + silence_start
72
+ pos_r = rms_list[i - self.max_sil_kept: i + 1].argmin() + i - self.max_sil_kept
73
+ if silence_start == 0:
74
+ sil_tags.append((0, pos_r))
75
+ clip_start = pos_r
76
+ else:
77
+ sil_tags.append((min(pos_l, pos), max(pos_r, pos)))
78
+ clip_start = max(pos_r, pos)
79
+ else:
80
+ pos_l = rms_list[silence_start: silence_start + self.max_sil_kept + 1].argmin() + silence_start
81
+ pos_r = rms_list[i - self.max_sil_kept: i + 1].argmin() + i - self.max_sil_kept
82
+ if silence_start == 0:
83
+ sil_tags.append((0, pos_r))
84
+ else:
85
+ sil_tags.append((pos_l, pos_r))
86
+ clip_start = pos_r
87
+ silence_start = None
88
+ # Deal with trailing silence.
89
+ total_frames = rms_list.shape[0]
90
+ if silence_start is not None and total_frames - silence_start >= self.min_interval:
91
+ silence_end = min(total_frames, silence_start + self.max_sil_kept)
92
+ pos = rms_list[silence_start: silence_end + 1].argmin() + silence_start
93
+ sil_tags.append((pos, total_frames + 1))
94
+ # Apply and return slices.
95
+ if len(sil_tags) == 0:
96
+ return {"0": {"slice": False, "split_time": f"0,{len(waveform)}"}}
97
+ else:
98
+ chunks = []
99
+ # 第一段静音并非从头开始,补上有声片段
100
+ if sil_tags[0][0]:
101
+ chunks.append(
102
+ {"slice": False, "split_time": f"0,{min(waveform.shape[0], sil_tags[0][0] * self.hop_size)}"})
103
+ for i in range(0, len(sil_tags)):
104
+ # 标识有声片段(跳过第一段)
105
+ if i:
106
+ chunks.append({"slice": False,
107
+ "split_time": f"{sil_tags[i - 1][1] * self.hop_size},{min(waveform.shape[0], sil_tags[i][0] * self.hop_size)}"})
108
+ # 标识所有静音片段
109
+ chunks.append({"slice": True,
110
+ "split_time": f"{sil_tags[i][0] * self.hop_size},{min(waveform.shape[0], sil_tags[i][1] * self.hop_size)}"})
111
+ # 最后一段静音并非结尾,补上结尾片段
112
+ if sil_tags[-1][1] * self.hop_size < len(waveform):
113
+ chunks.append({"slice": False, "split_time": f"{sil_tags[-1][1] * self.hop_size},{len(waveform)}"})
114
+ chunk_dict = {}
115
+ for i in range(len(chunks)):
116
+ chunk_dict[str(i)] = chunks[i]
117
+ return chunk_dict
118
+
119
+
120
+ def cut(audio_path, db_thresh=-30, min_len=5000):
121
+ audio, sr = librosa.load(audio_path, sr=None)
122
+ slicer = Slicer(
123
+ sr=sr,
124
+ threshold=db_thresh,
125
+ min_length=min_len
126
+ )
127
+ chunks = slicer.slice(audio)
128
+ return chunks
129
+
130
+
131
+ def chunks2audio(audio_path, chunks):
132
+ chunks = dict(chunks)
133
+ audio, sr = torchaudio.load(audio_path)
134
+ if len(audio.shape) == 2 and audio.shape[1] >= 2:
135
+ audio = torch.mean(audio, dim=0).unsqueeze(0)
136
+ audio = audio.cpu().numpy()[0]
137
+ result = []
138
+ for k, v in chunks.items():
139
+ tag = v["split_time"].split(",")
140
+ if tag[0] != tag[1]:
141
+ result.append((v["slice"], audio[int(tag[0]):int(tag[1])]))
142
+ return result, sr