File size: 16,400 Bytes
d5a614e
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
import os
import time
import tempfile
import subprocess
import threading
import json
import base64
import io
import random
import logging
from queue import Queue
from threading import Thread

import gradio as gr
import torch
import librosa
import soundfile as sf
import requests
import numpy as np
from scipy import signal
from transformers import pipeline, AutoTokenizer, AutoModel

# Thiết lập logging
logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(name)s - %(levelname)s - %(message)s')
logger = logging.getLogger(__name__)

# Tạo các thư mục cần thiết
os.makedirs("data", exist_ok=True)
os.makedirs("data/audio", exist_ok=True)
os.makedirs("data/reports", exist_ok=True)
os.makedirs("data/models", exist_ok=True)


class AsyncProcessor:
    """Xử lý các tác vụ nặng trong thread riêng để không làm 'đơ' giao diện."""
    def __init__(self):
        self.task_queue = Queue()
        self.result_queue = Queue()
        self.running = True
        self.worker_thread = Thread(target=self._worker)
        self.worker_thread.daemon = True
        self.worker_thread.start()

    def _worker(self):
        while self.running:
            if not self.task_queue.empty():
                task_id, func, args, kwargs = self.task_queue.get()
                try:
                    result = func(*args, **kwargs)
                    self.result_queue.put((task_id, result, None))
                except Exception as e:
                    logger.error(f"Lỗi trong xử lý tác vụ {task_id}: {str(e)}")
                    self.result_queue.put((task_id, None, str(e)))
                self.task_queue.task_done()
            time.sleep(0.1)

    def add_task(self, task_id, func, *args, **kwargs):
        self.task_queue.put((task_id, func, args, kwargs))

    def get_result(self):
        if not self.result_queue.empty():
            return self.result_queue.get()
        return None

    def stop(self):
        self.running = False
        if self.worker_thread.is_alive():
            self.worker_thread.join(timeout=1)


class VietSpeechTrainer:
    def __init__(self):
        # Đọc cấu hình từ file config.json và từ biến môi trường
        self.config = self._load_config()

        # Khởi tạo bộ xử lý bất đồng bộ
        self.async_processor = AsyncProcessor()

        # Lưu trữ lịch sử phiên làm việc
        self.session_history = []
        self.current_session_id = int(time.time())

        # Các biến trạng thái hội thoại
        self.current_scenario = None
        self.current_prompt_index = 0

        # Khởi tạo các mô hình (STT, TTS và phân tích LLM)
        logger.info("Đang tải các mô hình...")
        self._initialize_models()

    def _load_config(self):
        """Đọc file config.json và cập nhật từ biến môi trường (Secrets khi deploy)"""
        config = {
            "stt_model": "nguyenvulebinh/wav2vec2-base-vietnamese-250h",
            "use_phowhisper": False,
            "use_phobert": False,
            "use_vncorenlp": False,
            "llm_provider": "none",  # openai, gemini, local hoặc none
            "openai_api_key": "",
            "gemini_api_key": "",
            "local_llm_endpoint": "",
            "use_viettts": False,
            "default_dialect": "Bắc",
            "enable_pronunciation_eval": False,
            "preprocess_audio": True,
            "save_history": True,
            "enable_english_tts": False
        }
        if os.path.exists("config.json"):
            try:
                with open("config.json", "r", encoding="utf-8") as f:
                    file_config = json.load(f)
                    config.update(file_config)
            except Exception as e:
                logger.error(f"Lỗi đọc config.json: {e}")
        # Cập nhật từ biến môi trường
        if os.environ.get("LLM_PROVIDER"):
            config["llm_provider"] = os.environ.get("LLM_PROVIDER").lower()
        if os.environ.get("OPENAI_API_KEY"):
            config["openai_api_key"] = os.environ.get("OPENAI_API_KEY")
        if os.environ.get("GEMINI_API_KEY"):
            config["gemini_api_key"] = os.environ.get("GEMINI_API_KEY")
        if os.environ.get("LOCAL_LLM_ENDPOINT"):
            config["local_llm_endpoint"] = os.environ.get("LOCAL_LLM_ENDPOINT")
        if os.environ.get("ENABLE_ENGLISH_TTS") and os.environ.get("ENABLE_ENGLISH_TTS").lower() == "true":
            config["enable_english_tts"] = True
        return config

    def _initialize_models(self):
        """Khởi tạo mô hình STT và thiết lập CSM cho TTS tiếng Anh nếu được bật."""
        try:
            # Khởi tạo STT
            if self.config["use_phowhisper"]:
                logger.info("Loading PhoWhisper...")
                self.stt_model = pipeline("automatic-speech-recognition",
                                          model="vinai/PhoWhisper-small",
                                          device=0 if torch.cuda.is_available() else -1)
            else:
                logger.info(f"Loading STT model: {self.config['stt_model']}")
                self.stt_model = pipeline("automatic-speech-recognition",
                                          model=self.config["stt_model"],
                                          device=0 if torch.cuda.is_available() else -1)
        except Exception as e:
            logger.error(f"Lỗi khởi tạo STT: {e}")
            self.stt_model = None

        # Các mô hình NLP (PhoBERT, VnCoreNLP) nếu cần.
        # ...

        # Nếu bật TTS tiếng Anh thì thiết lập CSM
        if self.config.get("enable_english_tts", False):
            self._setup_csm()
        else:
            self.csm_ready = False

    def _setup_csm(self):
        """Cài đặt mô hình CSM (Conversational Speech Generation Model) cho TTS tiếng Anh."""
        try:
            csm_dir = os.path.join(os.getcwd(), "csm")
            if not os.path.exists(csm_dir):
                logger.info("Cloning CSM repo...")
                subprocess.run(["git", "clone", "https://github.com/SesameAILabs/csm", csm_dir], check=True)
            logger.info("Installing CSM requirements...")
            subprocess.run(["pip", "install", "-r", os.path.join(csm_dir, "requirements.txt")], check=True)
            self.csm_ready = True
            logger.info("CSM đã được thiết lập thành công!")
        except Exception as e:
            logger.error(f"Failed to set up CSM: {e}")
            self.csm_ready = False

    def text_to_speech(self, text, language="vi", dialect="Bắc"):
        """
        Chuyển văn bản thành giọng nói:
         - Nếu language == "en": sử dụng CSM để tạo TTS tiếng Anh.
         - Nếu language == "vi": sử dụng API hoặc logic TTS tiếng Việt.
        """
        if language == "en":
            if not self.csm_ready:
                logger.error("CSM chưa được thiết lập hoặc không được bật.")
                return None
            output_file = f"data/audio/csm_{int(time.time())}.wav"
            csm_script_path = os.path.join(os.getcwd(), "csm", "run_csm.py")
            cmd = [
                "python",
                csm_script_path,
                "--text", text,
                "--speaker_id", "0",  # Mặc định, có thể cho phép người dùng chọn
                "--output", output_file
            ]
            try:
                subprocess.run(cmd, check=True)
                return output_file
            except subprocess.CalledProcessError as e:
                logger.error(f"CSM generation failed: {e}")
                return None
        else:
            # Ví dụ: Nếu có API TTS tiếng Việt, gọi API đó.
            tts_api_url = self.config.get("tts_api_url", "")
            if tts_api_url:
                try:
                    resp = requests.post(tts_api_url, json={"text": text, "dialect": dialect.lower()})
                    if resp.status_code == 200:
                        output_file = f"data/audio/tts_{int(time.time())}.wav"
                        with open(output_file, "wb") as f:
                            f.write(resp.content)
                        return output_file
                    else:
                        logger.error(f"Error calling TTS API: {resp.text}")
                        return None
                except Exception as e:
                    logger.error(f"Lỗi gọi TTS API: {e}")
                    return None
            else:
                # Nếu không có API TTS, bạn có thể tích hợp VietTTS hoặc khác.
                return None

    def transcribe_audio(self, audio_path):
        """Chuyển đổi giọng nói thành văn bản (STT)."""
        if not self.stt_model:
            return "STT model not available."
        try:
            result = self.stt_model(audio_path)
            if isinstance(result, dict) and "text" in result:
                return result["text"]
            elif isinstance(result, list):
                return " ".join([chunk.get("text", "") for chunk in result])
            else:
                return str(result)
        except Exception as e:
            logger.error(f"Lỗi chuyển giọng nói: {e}")
            return f"Lỗi: {str(e)}"

    def analyze_text(self, transcript, dialect="Bắc"):
        """
        Phân tích văn bản sử dụng LLM:
         - Nếu LLM_PROVIDER là "openai", "gemini" hay "local" thì gọi API tương ứng.
         - Nếu LLM_PROVIDER là "none", sử dụng phân tích rule-based.
        """
        llm_provider = self.config["llm_provider"]
        if llm_provider == "openai" and self.config["openai_api_key"]:
            return self._analyze_with_openai(transcript)
        elif llm_provider == "gemini" and self.config["gemini_api_key"]:
            return self._analyze_with_gemini(transcript)
        elif llm_provider == "local" and self.config["local_llm_endpoint"]:
            return self._analyze_with_local_llm(transcript)
        else:
            return self._rule_based_analysis(transcript, dialect)

    def _analyze_with_openai(self, transcript):
        headers = {
            "Authorization": f"Bearer {self.config['openai_api_key']}",
            "Content-Type": "application/json"
        }
        data = {
            "model": "gpt-3.5-turbo",
            "messages": [
                {"role": "system", "content": "Bạn là trợ lý dạy tiếng Việt."},
                {"role": "user", "content": transcript}
            ],
            "temperature": 0.5,
            "max_tokens": 150
        }
        try:
            response = requests.post("https://api.openai.com/v1/chat/completions", headers=headers, json=data)
            if response.status_code == 200:
                result = response.json()
                return result["choices"][0]["message"]["content"]
            else:
                return "Lỗi khi gọi OpenAI API."
        except Exception as e:
            logger.error(f"Lỗi OpenAI: {e}")
            return "Lỗi phân tích với OpenAI."

    def _analyze_with_gemini(self, transcript):
        # Ví dụ minh họa: Gọi Gemini API (chi tiết phụ thuộc vào tài liệu của Gemini)
        return "Gemini analysis..."

    def _analyze_with_local_llm(self, transcript):
        # Giả sử gọi một endpoint local (nếu có) cho LLM cục bộ.
        headers = {"Content-Type": "application/json"}
        data = {
            "model": "local-model",
            "messages": [
                {"role": "system", "content": "Bạn là trợ lý dạy tiếng Việt."},
                {"role": "user", "content": transcript}
            ],
            "temperature": 0.5,
            "max_tokens": 150
        }
        try:
            response = requests.post(self.config["local_llm_endpoint"] + "/chat/completions", headers=headers, json=data)
            if response.status_code == 200:
                result = response.json()
                return result["choices"][0]["message"]["content"]
            else:
                return "Lỗi khi gọi Local LLM."
        except Exception as e:
            logger.error(f"Lỗi local LLM: {e}")
            return "Lỗi phân tích với LLM local."

    def _rule_based_analysis(self, transcript, dialect):
        # Phân tích đơn giản không dùng LLM
        return "Phân tích rule-based: " + transcript

    def clean_up(self):
        self.async_processor.stop()
        if torch.cuda.is_available():
            torch.cuda.empty_cache()
        logger.info("Clean up done.")


def create_demo():
    trainer = VietSpeechTrainer()

    with gr.Blocks(title="Ứng dụng Luyện Nói & TTS", theme=gr.themes.Soft(primary_hue="blue")) as demo:
        gr.Markdown("## Ứng dụng Luyện Nói & TTS (Tiếng Việt & Tiếng Anh)")

        with gr.Tabs():
            # Tab 1: TTS Tiếng Việt
            with gr.Tab("TTS Tiếng Việt"):
                vi_text_input = gr.Textbox(label="Nhập văn bản tiếng Việt")
                vi_audio_output = gr.Audio(label="Kết quả âm thanh")
                gen_vi_btn = gr.Button("Chuyển thành giọng nói")

                def gen_vi_tts(txt):
                    return trainer.text_to_speech(txt, language="vi", dialect=trainer.config["default_dialect"])

                gen_vi_btn.click(fn=gen_vi_tts, inputs=vi_text_input, outputs=vi_audio_output)

            # Tab 2: TTS Tiếng Anh (sử dụng CSM)
            with gr.Tab("TTS Tiếng Anh"):
                en_text_input = gr.Textbox(label="Enter English text")
                en_audio_output = gr.Audio(label="Generated English Audio (CSM)")
                gen_en_btn = gr.Button("Generate English Speech")

                def gen_en_tts(txt):
                    return trainer.text_to_speech(txt, language="en")

                gen_en_btn.click(fn=gen_en_tts, inputs=en_text_input, outputs=en_audio_output)

            # Tab 3: Luyện phát âm (Tiếng Việt)
            with gr.Tab("Luyện phát âm"):
                audio_input = gr.Audio(source="microphone", type="filepath", label="Giọng nói của bạn")
                transcript_output = gr.Textbox(label="Transcript")
                analysis_output = gr.Markdown(label="Phân tích")
                analyze_btn = gr.Button("Phân tích")

                def process_audio(audio_path):
                    transcript = trainer.transcribe_audio(audio_path)
                    analysis = trainer.analyze_text(transcript, dialect=trainer.config["default_dialect"])
                    return transcript, analysis

                analyze_btn.click(fn=process_audio, inputs=audio_input, outputs=[transcript_output, analysis_output])

            # Tab 4: Thông tin & Hướng dẫn
            with gr.Tab("Thông tin"):
                gr.Markdown("""
                ### Hướng dẫn sử dụng:
                - **TTS Tiếng Việt:** Nhập văn bản tiếng Việt và nhấn "Chuyển thành giọng nói".
                - **TTS Tiếng Anh (CSM):** Nhập English text và nhấn "Generate English Speech".
                - **Luyện phát âm:** Thu âm giọng nói, sau đó nhấn "Phân tích" để xem transcript và phân tích.
                
                ### Cấu hình LLM:
                - **OpenAI:** Đặt biến môi trường `LLM_PROVIDER=openai` và `OPENAI_API_KEY` với key của bạn.
                - **Gemini:** Đặt `LLM_PROVIDER=gemini` và `GEMINI_API_KEY`.
                - **Local LLM:** Đặt `LLM_PROVIDER=local` và `LOCAL_LLM_ENDPOINT` với URL của server LLM nếu bạn có.
                - **None:** Đặt `LLM_PROVIDER=none` để sử dụng phân tích rule-based.
                
                ### Lưu ý:
                - Để sử dụng TTS tiếng Anh (CSM), hãy bật biến `ENABLE_ENGLISH_TTS` (hoặc đặt `"enable_english_tts": true` trong config.json).
                """)
    return demo


def main():
    demo = create_demo()
    # Sử dụng hàng đợi Gradio để xử lý tác vụ dài (ví dụ TTS CSM)
    demo.queue()
    demo.launch(server_name="0.0.0.0", server_port=7860)


if __name__ == "__main__":
    main()