Woziii commited on
Commit
e7eb556
·
verified ·
1 Parent(s): 75a54e6

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +160 -122
app.py CHANGED
@@ -3,125 +3,163 @@ import os
3
  import gradio as gr
4
  from TTS.api import TTS
5
 
6
- # Initialisation du modèle TTS avec GPU désactivé
7
- tts = TTS("tts_models/multilingual/multi-dataset/xtts_v2", gpu=False)
8
-
9
- # Répertoire de sortie pour tous les fichiers audio
10
- output_folder = "output_audio"
11
- os.makedirs(output_folder, exist_ok=True)
12
-
13
- # Fonction pour générer un fichier audio à partir d'une section
14
- def generate_section_audio(project_name, section_name, text, speaker):
15
- try:
16
- # Création du sous-dossier pour le projet
17
- project_path = os.path.join(output_folder, project_name)
18
- os.makedirs(project_path, exist_ok=True)
19
-
20
- # Définir le chemin de sortie pour cette section
21
- file_name = f"{section_name}.wav"
22
- output_path = os.path.join(project_path, file_name)
23
-
24
- # Vérifier la disponibilité des fichiers audio pour le speaker
25
- speaker_wav_paths = [os.path.join("examples", f) for f in os.listdir("examples") if f.startswith(speaker) and f.endswith(".wav")]
26
- if not speaker_wav_paths:
27
- raise ValueError(f"Aucun fichier audio trouvé pour le speaker : {speaker}")
28
-
29
- # Génération de l'audio
30
- tts.tts_to_file(
31
- text=text,
32
- file_path=output_path,
33
- speaker_wav=speaker_wav_paths,
34
- language="fr"
35
- )
36
-
37
- return output_path # Retourne le chemin de l'audio généré
38
- except Exception as e:
39
- return str(e) # Retourne l'erreur pour gestion dans l'interface
40
-
41
- # Fonction pour générer les audios de toutes les sections
42
- def generate_all_audios(project_name, sections, speaker):
43
- results = []
44
- for section in sections:
45
- name = section["name"]
46
- text = section["text"]
47
- audio_path = generate_section_audio(project_name, name, text, speaker)
48
- results.append(audio_path)
49
- return results
50
-
51
- # Interface Gradio
52
- with gr.Blocks() as demo:
53
- gr.Markdown("""
54
- # 🎙️ Synthèse Vocale Margaux
55
- ## 👋 Bienvenue sur Margaux
56
- Créez des voix off naturelles à partir de textes. Divisez votre contenu en plusieurs sections pour une meilleure qualité audio.
57
- """)
58
-
59
- with gr.Box():
60
- gr.Markdown("### 🛠️ Configuration du Projet")
61
- project_name = gr.Textbox(label="Nom du Projet", placeholder="Exemple : Capsule_Video_PLU")
62
- speaker = gr.Dropdown(label="Voix 🎙️", choices=["Margaux"], value="Margaux") # Liste de voix
63
- agree = gr.Checkbox(label="✅ J'accepte les conditions d'utilisation")
64
-
65
- with gr.Box():
66
- gr.Markdown("### ✍️ Gestion des Sections")
67
-
68
- sections = gr.State(value=[{"name": "Section_1", "text": ""}]) # Une section par défaut
69
-
70
- def update_section_list(sections):
71
- return [gr.Textbox(label=f"Nom : {s['name']}", value=s["text"], lines=2) for s in sections]
72
-
73
- sections_list = gr.Column() # Conteneur pour afficher les sections ajoutées
74
-
75
- add_section_btn = gr.Button("+ Ajouter une Section ➕")
76
-
77
- def add_section(sections):
78
- section_number = len(sections) + 1
79
- section = {"name": f"Section_{section_number}", "text": ""}
80
- sections.append(section)
81
- return sections, update_section_list(sections)
82
-
83
- add_section_btn.click(add_section, inputs=[sections], outputs=[sections])
84
-
85
- remove_section_btn = gr.Button("- Supprimer la dernière Section ➖")
86
-
87
- def remove_section(sections):
88
- if len(sections) > 1: # Ne pas supprimer si c'est la seule section
89
- sections.pop()
90
- return sections, update_section_list(sections)
91
-
92
- remove_section_btn.click(remove_section, inputs=[sections], outputs=[sections])
93
-
94
- with gr.Box():
95
- gr.Markdown("### 🎧 Génération des Audios")
96
-
97
- generate_btn = gr.Button("Générer les Audios ▶️")
98
-
99
- results_output = gr.Column() # Conteneur pour afficher les audios générés
100
-
101
- def generate_audios_and_display(project_name, sections, speaker):
102
- results = generate_all_audios(project_name, sections, speaker)
103
- return [gr.Audio(label=f"Audio : {s['name']}", value=path) for s, path in zip(sections, results)]
104
-
105
- generate_btn.click(
106
- generate_audios_and_display,
107
- inputs=[project_name, sections, speaker],
108
- outputs=[results_output]
109
- )
110
-
111
- with gr.Box():
112
- gr.Markdown("### 📁 Sauvegarde du Projet")
113
-
114
- save_project_btn = gr.Button("Sauvegarder le Projet ✅")
115
-
116
- save_message = gr.Markdown("")
117
-
118
- def save_project(project_name):
119
- project_path = os.path.join(output_folder, project_name)
120
- if not os.path.exists(project_path):
121
- return "⚠️ Aucun audio généré à sauvegarder."
122
- return f"🎉 Projet '{project_name}' sauvegardé dans le dossier '{project_path}'."
123
-
124
- save_project_btn.click(save_project, inputs=[project_name], outputs=[save_message])
125
-
126
- # Lancement de l'interface
127
- demo.launch(debug=True)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
3
  import gradio as gr
4
  from TTS.api import TTS
5
 
6
+ class TTSInterface:
7
+ def __init__(self):
8
+ # Initialisation du modèle TTS
9
+ self.tts = TTS("tts_models/multilingual/multi-dataset/xtts_v2", gpu=False)
10
+ self.output_folder = "output_audio"
11
+ os.makedirs(self.output_folder, exist_ok=True)
12
+
13
+ def create_interface(self):
14
+ with gr.Blocks(theme=gr.themes.Soft()) as demo:
15
+ # Variables d'état
16
+ state = gr.State({
17
+ "project_name": "",
18
+ "sections": []
19
+ })
20
+
21
+ # En-tête
22
+ gr.Markdown("""
23
+ # 🎙️ Synthèse Vocale Margaux
24
+ ## 👋 Bienvenue sur Margaux - Votre outil de synthèse vocale avancée
25
+
26
+ Margaux vous permet de générer des voix off naturelles à partir de textes, structurées par sections pour une meilleure qualité audio.
27
+
28
+ **Étapes principales :**
29
+ 1. 🛠️ **Créer un projet** : Définissez le nom du projet et choisissez la voix.
30
+ 2. ✍️ **Ajouter des sections** : Divisez votre texte en parties claires.
31
+ 3. 🎧 **Générer les audios** : Chaque section est transformée en fichier audio.
32
+ 4. 📁 **Sauvegardez le projet** : Finalisez et récupérez les fichiers.
33
+ """)
34
+
35
+ # Tabs pour les étapes
36
+ with gr.Tabs() as tabs:
37
+ # Étape 1: Configuration du projet
38
+ with gr.Tab("🛠️ Création du Projet"):
39
+ with gr.Column():
40
+ gr.Markdown("### Configuration initiale")
41
+ project_name = gr.Textbox(
42
+ label="Nom du Projet",
43
+ placeholder="Exemple : Capsule_Video_PLU",
44
+ scale=1
45
+ )
46
+ speaker = gr.Dropdown(
47
+ choices=["Margaux"],
48
+ value="Margaux",
49
+ label="Voix 🎙️",
50
+ scale=1
51
+ )
52
+ terms = gr.Checkbox(
53
+ label="✅ J'accepte les conditions d'utilisation"
54
+ )
55
+ create_btn = gr.Button("Créer le Projet ➡️", variant="primary")
56
+
57
+ # Étape 2: Gestion des sections
58
+ with gr.Tab("✍️ Sections"):
59
+ with gr.Column():
60
+ gr.Markdown("### Gestion des sections")
61
+
62
+ # Container pour les sections dynamiques
63
+ sections_container = gr.Column()
64
+
65
+ with gr.Row():
66
+ add_section = gr.Button("+ Ajouter une Section ")
67
+ remove_section = gr.Button("- Supprimer la dernière Section ➖")
68
+
69
+ # Template pour une section
70
+ def create_section_template(index):
71
+ with gr.Group():
72
+ with gr.Box():
73
+ gr.Markdown(f"#### Section {index}")
74
+ name = gr.Textbox(
75
+ label="Nom de la section",
76
+ value=f"Section_{index}"
77
+ )
78
+ text = gr.TextArea(
79
+ label="Texte à synthétiser",
80
+ placeholder="Entrez votre texte ici..."
81
+ )
82
+ return [name, text]
83
+
84
+ # Étape 3: Génération des audios
85
+ with gr.Tab("🎧 Génération"):
86
+ with gr.Column():
87
+ gr.Markdown("### Génération des audios")
88
+ generate_all = gr.Button("Générer tous les audios ▶️", variant="primary")
89
+ audio_outputs = gr.Column()
90
+ save_project = gr.Button("Sauvegarder le Projet ✅")
91
+
92
+ # Fonctions de callback
93
+ def update_project_info(name, terms):
94
+ if not terms:
95
+ return gr.Error("Veuillez accepter les conditions d'utilisation")
96
+ if not name.strip():
97
+ return gr.Error("Le nom du projet est requis")
98
+ return gr.Info(f"Projet '{name}' créé avec succès!")
99
+
100
+ def add_new_section(state):
101
+ current_sections = state["sections"]
102
+ new_section = {
103
+ "name": f"Section_{len(current_sections) + 1}",
104
+ "text": ""
105
+ }
106
+ current_sections.append(new_section)
107
+ return {"sections": current_sections}
108
+
109
+ def remove_last_section(state):
110
+ current_sections = state["sections"]
111
+ if current_sections:
112
+ current_sections.pop()
113
+ return {"sections": current_sections}
114
+
115
+ def generate_audio(state, section_data):
116
+ try:
117
+ # Logique de génération audio ici
118
+ output_path = os.path.join(
119
+ self.output_folder,
120
+ state["project_name"],
121
+ f"{section_data['name']}.wav"
122
+ )
123
+
124
+ # Simulation de génération (à remplacer par votre logique TTS)
125
+ self.tts.tts_to_file(
126
+ text=section_data["text"],
127
+ file_path=output_path,
128
+ language="fr"
129
+ )
130
+
131
+ return gr.Audio(output_path)
132
+ except Exception as e:
133
+ return gr.Error(str(e))
134
+
135
+ # Événements
136
+ create_btn.click(
137
+ update_project_info,
138
+ inputs=[project_name, terms],
139
+ outputs=[gr.Info]
140
+ )
141
+
142
+ add_section.click(
143
+ add_new_section,
144
+ inputs=[state],
145
+ outputs=[state]
146
+ )
147
+
148
+ remove_section.click(
149
+ remove_last_section,
150
+ inputs=[state],
151
+ outputs=[state]
152
+ )
153
+
154
+ generate_all.click(
155
+ lambda x: [generate_audio(x, section) for section in x["sections"]],
156
+ inputs=[state],
157
+ outputs=[audio_outputs]
158
+ )
159
+
160
+ return demo
161
+
162
+ if __name__ == "__main__":
163
+ interface = TTSInterface()
164
+ demo = interface.create_interface()
165
+ demo.launch(debug=True)