Hassan-16 commited on
Commit
61d473c
·
verified ·
1 Parent(s): f125a1b

Upload 56 files

Browse files
This view is limited to 50 files because it contains too many changes.   See raw diff
requirements.txt ADDED
Binary file (4.79 kB). View file
 
unlimit gen.py ADDED
@@ -0,0 +1,257 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ from kokoro import KModel, KPipeline
2
+ import gradio as gr
3
+ import os
4
+ import random
5
+ import torch
6
+ import logging
7
+ import soundfile as sf
8
+
9
+ # Optional: import Resemblyzer for voice cloning (install via pip install resemblyzer)
10
+ try:
11
+ from resemblyzer import VoiceEncoder, preprocess_wav
12
+ encoder = VoiceEncoder()
13
+ except ImportError:
14
+ encoder = None
15
+
16
+ # Configuration
17
+ VOICE_DIR = r"D:\New folder (2)\model\voices"
18
+ OUTPUT_DIR = r"D:\New folder (2)\output_audio"
19
+ TEXT = "Hello, this is a test of the Kokoro TTS system."
20
+
21
+ # Configure logging
22
+ logging.basicConfig(level=logging.INFO)
23
+ logger = logging.getLogger(__name__)
24
+
25
+ # Device setup
26
+ CUDA_AVAILABLE = torch.cuda.is_available()
27
+ device = "cuda" if CUDA_AVAILABLE else "cpu"
28
+ logger.info(f"Using hardware: {device}")
29
+
30
+ # Load models for CPU and GPU (if available)
31
+ models = {gpu: KModel("hexgrad/Kokoro-82M").to("cuda" if gpu else "cpu").eval() for gpu in [False] + ([True] if CUDA_AVAILABLE else [])}
32
+
33
+ # Define pipelines for American ('a') and British ('b') English
34
+ pipelines = {
35
+ 'a': KPipeline(model=models[False], lang_code='a', device='cpu'), # American English
36
+ 'b': KPipeline(model=models[False], lang_code='b', device='cpu') # British English
37
+ }
38
+
39
+ # Set custom pronunciations for "kokoro" in both American and British modes
40
+ try:
41
+ pipelines["a"].g2p.lexicon.golds["kokoro"] = "kˈOkəɹO"
42
+ pipelines["b"].g2p.lexicon.golds["kokoro"] = "kˈQkəɹQ"
43
+ except AttributeError as e:
44
+ logger.warning(f"Could not set custom pronunciations: {e}")
45
+
46
+ def forward_gpu(text, voice_path, speed):
47
+ # Use the GPU model directly without spaces.GPU decorator
48
+ pipeline = pipelines[voice_path[0]]
49
+ # Ensure the pipeline uses the GPU model
50
+ pipeline.model = models[True] # Switch to GPU model
51
+ generator = pipeline(text, voice=voice_path, speed=speed)
52
+ for _, _, audio in generator:
53
+ return audio
54
+ return None
55
+
56
+ def generate_first(text, voice="af_bella.pt", speed=1, use_gpu=CUDA_AVAILABLE, clone_voice_file=None):
57
+ voice_path = os.path.join(VOICE_DIR, voice)
58
+ if not os.path.exists(voice_path):
59
+ raise FileNotFoundError(f"Voice file not found: {voice_path}")
60
+
61
+ pipeline = pipelines[voice[0]]
62
+
63
+ # If a clone file is provided and the encoder is available, try to clone the voice
64
+ if clone_voice_file is not None and encoder is not None:
65
+ try:
66
+ # clone_voice_file is a file path (string) in Gradio with type="filepath"
67
+ wav = preprocess_wav(clone_voice_file)
68
+ cloned_voice = torch.tensor(encoder.embed_utterance(wav), device=device).unsqueeze(0)
69
+ temp_voice_path = os.path.join(VOICE_DIR, "cloned_voice.pt")
70
+ torch.save(cloned_voice, temp_voice_path)
71
+ voice_path = temp_voice_path
72
+ except Exception as e:
73
+ logger.error(f"Error cloning voice: {e}")
74
+ voice_path = os.path.join(VOICE_DIR, voice)
75
+
76
+ use_gpu = use_gpu and CUDA_AVAILABLE
77
+ try:
78
+ if use_gpu:
79
+ audio = forward_gpu(text, voice_path, speed)
80
+ else:
81
+ pipeline.model = models[False] # Ensure CPU model is used
82
+ generator = pipeline(text, voice=voice_path, speed=speed)
83
+ for _, ps, audio in generator:
84
+ return (24000, audio.numpy()), ps
85
+ except gr.exceptions.Error as e:
86
+ if use_gpu:
87
+ gr.Warning(str(e))
88
+ gr.Info("Retrying with CPU. To avoid this error, change Hardware to CPU.")
89
+ pipeline.model = models[False] # Switch to CPU model
90
+ generator = pipeline(text, voice=voice_path, speed=speed)
91
+ for _, ps, audio in generator:
92
+ return (24000, audio.numpy()), ps
93
+ else:
94
+ raise gr.Error(e)
95
+ return None, ""
96
+
97
+ def predict(text, voice="af_bella.pt", speed=1):
98
+ return generate_first(text, voice, speed, use_gpu=False)[0]
99
+
100
+ def tokenize_first(text, voice="af_bella.pt"):
101
+ voice_path = os.path.join(VOICE_DIR, voice)
102
+ if not os.path.exists(voice_path):
103
+ raise FileNotFoundError(f"Voice file not found: {voice_path}")
104
+
105
+ pipeline = pipelines[voice[0]]
106
+ generator = pipeline(text, voice=voice_path)
107
+ for _, ps, _ in generator:
108
+ return ps
109
+ return ""
110
+
111
+ def generate_all(text, voice="af_bella.pt", speed=1, use_gpu=CUDA_AVAILABLE):
112
+ voice_path = os.path.join(VOICE_DIR, voice)
113
+ if not os.path.exists(voice_path):
114
+ raise FileNotFoundError(f"Voice file not found: {voice_path}")
115
+
116
+ pipeline = pipelines[voice[0]]
117
+ use_gpu = use_gpu and CUDA_AVAILABLE
118
+ first = True
119
+ if use_gpu:
120
+ pipeline.model = models[True] # Switch to GPU model
121
+ else:
122
+ pipeline.model = models[False] # Switch to CPU model
123
+ generator = pipeline(text, voice=voice_path, speed=speed)
124
+ for _, _, audio in generator:
125
+ yield 24000, audio.numpy()
126
+ if first:
127
+ first = False
128
+ yield 24000, torch.zeros(1).numpy()
129
+
130
+ # Load random quotes and sample texts
131
+ try:
132
+ with open("en.txt", "r") as r:
133
+ random_quotes = [line.strip() for line in r]
134
+ except FileNotFoundError:
135
+ random_quotes = ["Hello, this is a test of the Kokoro TTS system."]
136
+
137
+ def get_random_quote():
138
+ return random.choice(random_quotes)
139
+
140
+ def get_gatsby():
141
+ try:
142
+ with open("gatsby5k.md", "r") as r:
143
+ return r.read().strip()
144
+ except FileNotFoundError:
145
+ return "The Great Gatsby text not found."
146
+
147
+ def get_frankenstein():
148
+ try:
149
+ with open("frankenstein5k.md", "r") as r:
150
+ return r.read().strip()
151
+ except FileNotFoundError:
152
+ return "Frankenstein text not found."
153
+
154
+ # Dynamically load all .pt voice files from VOICE_DIR
155
+ def load_voice_choices():
156
+ voice_files = [f for f in os.listdir(VOICE_DIR) if f.endswith('.pt')]
157
+ choices = {}
158
+ for voice_file in voice_files:
159
+ # Determine the voice type based on the prefix
160
+ prefix = voice_file[:2]
161
+ if prefix == 'af':
162
+ label = f"🇺🇸 🚺 {voice_file[3:-3].capitalize()}"
163
+ elif prefix == 'am':
164
+ label = f"🇺🇸 🚹 {voice_file[3:-3].capitalize()}"
165
+ elif prefix == 'bf':
166
+ label = f"🇬🇧 🚺 {voice_file[3:-3].capitalize()}"
167
+ elif prefix == 'bm':
168
+ label = f"🇬🇧 🚹 {voice_file[3:-3].capitalize()}"
169
+ else:
170
+ label = f"Unknown {voice_file[:-3]}"
171
+ choices[label] = voice_file
172
+ return choices
173
+
174
+ CHOICES = load_voice_choices()
175
+
176
+ # Log available voices
177
+ for label, voice_path in CHOICES.items():
178
+ full_path = os.path.join(VOICE_DIR, voice_path)
179
+ if not os.path.exists(full_path):
180
+ logger.warning(f"Voice file not found: {full_path}")
181
+ else:
182
+ logger.info(f"Loaded voice: {label} ({voice_path})")
183
+
184
+ # If no voices are found, add a default fallback
185
+ if not CHOICES:
186
+ logger.warning("No voice files found in VOICE_DIR. Adding a placeholder.")
187
+ CHOICES = {"🇺🇸 🚺 Bella 🔥": "af_bella.pt"}
188
+
189
+ TOKEN_NOTE = '''
190
+ 💡 Customize pronunciation with Markdown link syntax and /slashes/ like [Kokoro](/kˈOkəɹO/)
191
+
192
+ 💬 To adjust intonation, try punctuation ;:,.!?—…"()“” or stress ˈ and ˌ
193
+
194
+ ⬇️ Lower stress [1 level](-1) or [2 levels](-2)
195
+
196
+ ⬆️ Raise stress 1 level [or](+2) 2 levels (only works on less stressed, usually short words)
197
+ '''
198
+
199
+ with gr.Blocks() as generate_tab:
200
+ out_audio = gr.Audio(label="Output Audio", interactive=False, streaming=False, autoplay=True)
201
+ generate_btn = gr.Button("Generate", variant="primary")
202
+ with gr.Accordion("Output Tokens", open=True):
203
+ out_ps = gr.Textbox(interactive=False, show_label=False,
204
+ info="Tokens used to generate the audio, up to 510 context length.")
205
+ tokenize_btn = gr.Button("Tokenize", variant="secondary")
206
+ gr.Markdown(TOKEN_NOTE)
207
+ predict_btn = gr.Button("Predict", variant="secondary", visible=False)
208
+
209
+ with gr.Blocks() as stream_tab:
210
+ out_stream = gr.Audio(label="Output Audio Stream", interactive=False, streaming=True, autoplay=True)
211
+ with gr.Row():
212
+ stream_btn = gr.Button("Stream", variant="primary")
213
+ stop_btn = gr.Button("Stop", variant="stop")
214
+ with gr.Accordion("Note", open=True):
215
+ gr.Markdown("⚠️ There is an unknown Gradio bug that might yield no audio the first time you click Stream.")
216
+ gr.DuplicateButton()
217
+
218
+ API_OPEN = True
219
+ with gr.Blocks() as app:
220
+ with gr.Row():
221
+ with gr.Column():
222
+ text = gr.Textbox(label="Input Text", info="Arbitrarily many characters supported")
223
+ with gr.Row():
224
+ voice = gr.Dropdown(list(CHOICES.items()), value="af_bella.pt" if "af_bella.pt" in CHOICES.values() else list(CHOICES.values())[0], label="Voice",
225
+ info="Quality and availability vary by language")
226
+ use_gpu = gr.Dropdown(
227
+ [("GPU 🚀", True), ("CPU 🐌", False)],
228
+ value=CUDA_AVAILABLE,
229
+ label="Hardware",
230
+ info="GPU is usually faster, but may require CUDA support",
231
+ interactive=CUDA_AVAILABLE
232
+ )
233
+ speed = gr.Slider(minimum=0.5, maximum=2, value=1, step=0.1, label="Speed")
234
+ clone_voice_file = gr.File(label="Clone Voice Sample (Optional)", file_count="single", type="filepath")
235
+ random_btn = gr.Button("🎲 Random Quote 💬", variant="secondary")
236
+ with gr.Row():
237
+ gatsby_btn = gr.Button("🥂 Gatsby 📕", variant="secondary")
238
+ frankenstein_btn = gr.Button("💀 Frankenstein 📗", variant="secondary")
239
+ with gr.Column():
240
+ gr.TabbedInterface([generate_tab, stream_tab], ["Generate", "Stream"])
241
+ random_btn.click(fn=get_random_quote, inputs=[], outputs=[text])
242
+ gatsby_btn.click(fn=get_gatsby, inputs=[], outputs=[text])
243
+ frankenstein_btn.click(fn=get_frankenstein, inputs=[], outputs=[text])
244
+ generate_btn.click(fn=generate_first, inputs=[text, voice, speed, use_gpu, clone_voice_file],
245
+ outputs=[out_audio, out_ps])
246
+ tokenize_btn.click(fn=tokenize_first, inputs=[text, voice], outputs=[out_ps])
247
+ stream_event = stream_btn.click(fn=generate_all, inputs=[text, voice, speed, use_gpu], outputs=[out_stream])
248
+ stop_btn.click(fn=None, cancels=[stream_event])
249
+ predict_btn.click(fn=predict, inputs=[text, voice, speed], outputs=[out_audio])
250
+
251
+ if __name__ == "__main__":
252
+ app.queue(api_open=API_OPEN).launch(
253
+ server_name="127.0.0.1",
254
+ server_port=40001,
255
+ show_api=API_OPEN,
256
+ inbrowser=True
257
+ )
voices/af_alloy.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:6d877149dd8b348fbad12e5845b7e43d975390e9f3b68a811d1d86168bef5aa3
3
+ size 523425
voices/af_aoede.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:c03bd1a4c3716c2d8eaa3d50022f62d5c31cfbd6e15933a00b17fefe13841cc4
3
+ size 523425
voices/af_bella.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:8cb64e02fcc8de0327a8e13817e49c76c945ecf0052ceac97d3081480e8e48d6
3
+ size 523425
voices/af_heart.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:0ab5709b8ffab19bfd849cd11d98f75b60af7733253ad0d67b12382a102cb4ff
3
+ size 523425
voices/af_jessica.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:cdfdccb8cc975aa34ee6b89642963b0064237675de0e41a30ae64cc958dd4e87
3
+ size 523435
voices/af_kore.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:8bfbc512321c3db49dff984ac675fa5ac7eaed5a96cc31104d3a9080e179d69d
3
+ size 523420
voices/af_nicole.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:c5561808bcf5250fe8c5f5de32caf2d94f27e57e95befdb098c5c85991d4c5da
3
+ size 523430
voices/af_nova.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:e0233676ddc21908c37a1f102f6b88a59e4e5c1bd764983616eb9eda629dbcd2
3
+ size 523420
voices/af_river.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:e149459bd9c084416b74756b9bd3418256a8b839088abb07d463730c369dab8f
3
+ size 523425
voices/af_sarah.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:49bd364ea3be9eb3e9685e8f9a15448c4883112a7c0ff7ab139fa4088b08cef9
3
+ size 523425
voices/af_sky.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:c799548aed06e0cb0d655a85a01b48e7f10484d71663f9a3045a5b9362e8512c
3
+ size 523351
voices/am_adam.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:ced7e284aba12472891be1da3ab34db84cc05cc02b5889535796dbf2d8b0cb34
3
+ size 523420
voices/am_echo.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:8bcfdc852bc985fb45c396c561e571ffb9183930071f962f1b50df5c97b161e8
3
+ size 523420
voices/am_eric.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:ada66f0eefff34ec921b1d7474d7ac8bec00cd863c170f1c534916e9b8212aae
3
+ size 523420
voices/am_fenrir.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:98e507eca1db08230ae3b6232d59c10aec9630022d19accac4f5d12fcec3c37a
3
+ size 523430
voices/am_liam.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:c82550757ddb31308b97f30040dda8c2d609a9e2de6135848d0a948368138518
3
+ size 523420
voices/am_michael.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:9a443b79a4b22489a5b0ab7c651a0bcd1a30bef675c28333f06971abbd47bd37
3
+ size 523435
voices/am_onyx.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:e8452be16cd0f6da7b4579eaf7b1e4506e92524882053d86d72b96b9a7fed584
3
+ size 523420
voices/am_puck.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:dd1d8973f4ce4b7d8ae407c77a435f485dabc052081b80ea75c4f30b84f36223
3
+ size 523420
voices/am_santa.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:7f2f7582fa2b1f160e90aafe6d0b442a685e773608b6667e545d743b073e97a7
3
+ size 523425
voices/bf_alice.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:d292651b6af6c0d81705c2580dcb4463fccc0ff7b8d618a471dbb4e45655b3f3
3
+ size 523425
voices/bf_emma.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:d0a423deabf4a52b4f49318c51742c54e21bb89bbbe9a12141e7758ddb5da701
3
+ size 523420
voices/bf_isabella.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:cdd4c37003805104d1d08fb1e05855c8fb2c68de24ca6e71f264a30aaa59eefd
3
+ size 523440
voices/bf_lily.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:6e09c2e481e2d53004d7e5ae7d3a325369e130a6f45c35a6002de75084be9285
3
+ size 523420
voices/bm_daniel.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:fc3fce4e9c12ed4dbc8fa9680cfe51ee190a96444ce7c3ad647549a30823fc5d
3
+ size 523430
voices/bm_fable.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:d44935f3135257a9064df99f007fc1342ff1aa767552b4a4fa4c3b2e6e59079c
3
+ size 523425
voices/bm_george.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:f1bc812213dc59774769e5c80004b13eeb79bd78130b11b2d7f934542dab811b
3
+ size 523430
voices/bm_lewis.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:b5204750dcba01029d2ac9cec17aec3b20a6d64073c579d694a23cb40effbd0e
3
+ size 523425
voices/ef_dora.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:d9d69b0f8a2b87a345f269d89639f89dfbd1a6c9da0c498ae36dd34afcf35530
3
+ size 523420
voices/em_alex.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:5eac53f767c3f31a081918ba531969aea850bed18fe56419b804d642c6973431
3
+ size 523420
voices/em_santa.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:aa8620cb96cec705823efca0d956a63e158e09ad41aca934d354b7f0778f63cb
3
+ size 523430
voices/ff_siwis.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:8073bf2d2c4b9543a90f2f0fd2144de4ed157e2d4b79ddeb0d5123066171fbc9
3
+ size 523425
voices/hf_alpha.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:06906fe05746d13a79c5c01e21fd7233b05027221a933c9ada650f5aafc8f044
3
+ size 523425
voices/hf_beta.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:63c0a1a6272e98d43f4511bba40e30dd9c8ceaf5f39af869509b9f51a71c503e
3
+ size 523420
voices/hm_omega.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:b55f02a8e8483fffe0afa566e7d22ed8013acf47ad4f6bbee2795a840155703e
3
+ size 523425
voices/hm_psi.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:2f0f055cea4f1083f4ef127ece48d71606347f6557dbb961c0ca5740a2da485b
3
+ size 523351
voices/if_sara.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:6c0b253b955fe32f1a1a86006aebe83d050ea95afd0e7be15182f087deedbf55
3
+ size 523425
voices/im_nicola.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:234ed06648649f9bd874b37508ea17560b9c993ef85b4ddb3e3a71e062bd2c12
3
+ size 523341
voices/jf_alpha.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:1bf4c9dc69e45ee46183b071f4db766349aac5592acbcfeaf051018048a5d787
3
+ size 523425
voices/jf_gongitsune.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:1b171917f18f351e65f2bf9657700cd6bfec4e65589c297525b9cf3c20105770
3
+ size 523351
voices/jf_nezumi.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:d83f007a7f01783b77014561a7d493d327a0210e143440e91c9b697590d27661
3
+ size 523420
voices/jf_tebukuro.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:0d6917904438aec85f73a6fa1f7ac2be6481aae47c697834936930a91796c576
3
+ size 523435
voices/jm_kumo.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:98340afd68b1cee84fe0cd95528cfa6d4b39e416aa75a9df64049d52c8b55896
3
+ size 523425
voices/pf_dora.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:07e4ff987c5d5a8c3995efd15cc4f0db7c4c15e881b198d8ab7f67ecf51f5eb7
3
+ size 523425
voices/pm_alex.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:cf0ba8c573c2480fc54123683a35cf1e2ae130428e441eb91f9149bdb188a526
3
+ size 523425
voices/pm_santa.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:d42103169c5c872abbafb9129133af7e942bb9d272c3cc3b95c203e7d7198c29
3
+ size 523430
voices/zf_xiaobei.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:9b76be63dab4f4f96962030acc0126a9aee9728608fbbe115e2b58a2bd504df6
3
+ size 523435
voices/zf_xiaoni.pt ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:95b49f169bf1640f4f43c25e13daa39f7b98d15d00823e83ef5c14b3ced59e49
3
+ size 523430