DHEIVER commited on
Commit
ee4a22a
1 Parent(s): f20e82e

Create app.py

Browse files
Files changed (1) hide show
  1. app.py +310 -0
app.py ADDED
@@ -0,0 +1,310 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import gradio as gr
2
+ import torch
3
+ from transformers import pipeline, T5ForConditionalGeneration, T5Tokenizer
4
+ from keybert import KeyBERT
5
+ import yake
6
+ from textblob import TextBlob
7
+ import pandas as pd
8
+ import numpy as np
9
+ from PIL import Image
10
+ import matplotlib.pyplot as plt
11
+ import seaborn as sns
12
+
13
+ # Carregando modelos
14
+ sentiment_analyzer = pipeline("sentiment-analysis", model="nlptown/bert-base-multilingual-uncased-sentiment")
15
+ text_generator = pipeline("text2text-generation", model="google/flan-t5-small")
16
+ kw_model = KeyBERT('distilbert-base-nli-mean-tokens')
17
+ yake_extractor = yake.KeywordExtractor(
18
+ lan="pt", n=3, dedupLim=0.9, dedupFunc='seqm', windowsSize=1, top=20
19
+ )
20
+
21
+ def analyze_sentiment_detailed(text):
22
+ """Análise detalhada de sentimento usando múltiplos modelos"""
23
+ # BERT análise
24
+ bert_result = sentiment_analyzer(text)[0]
25
+ score = float(bert_result['score'])
26
+ label = bert_result['label']
27
+
28
+ # TextBlob análise para complementar
29
+ blob = TextBlob(text)
30
+ polarity = blob.sentiment.polarity
31
+ subjectivity = blob.sentiment.subjectivity
32
+
33
+ # Criando visualização
34
+ fig, (ax1, ax2) = plt.subplots(1, 2, figsize=(10, 4))
35
+
36
+ # Gráfico de sentimento
37
+ sentiment_data = pd.DataFrame({
38
+ 'Métrica': ['BERT Score', 'TextBlob Polarity', 'Subjetividade'],
39
+ 'Valor': [score, polarity, subjectivity]
40
+ })
41
+ sns.barplot(x='Métrica', y='Valor', data=sentiment_data, ax=ax1)
42
+ ax1.set_title('Análise de Sentimento')
43
+
44
+ # Interpretação
45
+ interpretation = f"""
46
+ 📊 Análise de Sentimento:
47
+ - Sentimento (BERT): {label} ({score:.2f})
48
+ - Polaridade (TextBlob): {polarity:.2f}
49
+ - Subjetividade: {subjectivity:.2f}
50
+
51
+ 💡 Interpretação:
52
+ - O texto é {'positivo' if polarity > 0 else 'negativo' if polarity < 0 else 'neutro'}
53
+ - {'Altamente subjetivo' if subjectivity > 0.5 else 'Relativamente objetivo'}
54
+ """
55
+
56
+ return fig, interpretation
57
+
58
+ def generate_marketing_content(prompt, type_content, tone):
59
+ """Geração de conteúdo de marketing usando T5"""
60
+ formatted_prompt = f"Generate {type_content} in {tone} tone: {prompt}"
61
+
62
+ # Gerando conteúdo
63
+ response = text_generator(formatted_prompt, max_length=200, min_length=50)
64
+ generated_text = response[0]['generated_text']
65
+
66
+ # Extração de palavras-chave para sugestões
67
+ keywords = kw_model.extract_keywords(generated_text, keyphrase_ngram_range=(1, 2), stop_words='english', top_n=5)
68
+
69
+ suggestions = f"""
70
+ 🎯 Sugestões de Hashtags/Keywords:
71
+ {', '.join([f'#{k[0].replace(" ", "")}' for k in keywords])}
72
+
73
+ 📈 Métricas de Conteúdo:
74
+ - Comprimento: {len(generated_text.split())} palavras
75
+ - Tom: {tone}
76
+ - Tipo: {type_content}
77
+ """
78
+
79
+ return generated_text, suggestions
80
+
81
+ def analyze_keywords(text, max_keywords=10):
82
+ """Análise avançada de palavras-chave usando múltiplos modelos"""
83
+ # KeyBERT análise
84
+ keybert_keywords = kw_model.extract_keywords(text, keyphrase_ngram_range=(1, 2),
85
+ stop_words='english', top_n=max_keywords)
86
+
87
+ # YAKE análise
88
+ yake_keywords = yake_extractor.extract_keywords(text)
89
+
90
+ # Criando visualização
91
+ fig, ax = plt.subplots(figsize=(10, 6))
92
+
93
+ # Combinando e normalizando scores
94
+ all_keywords = {}
95
+ for k, v in keybert_keywords:
96
+ all_keywords[k] = v
97
+ for k, v in yake_keywords[:max_keywords]:
98
+ if k in all_keywords:
99
+ all_keywords[k] = (all_keywords[k] + (1-v))/2
100
+ else:
101
+ all_keywords[k] = 1-v
102
+
103
+ # Plotando
104
+ keywords_df = pd.DataFrame(list(all_keywords.items()), columns=['Keyword', 'Score'])
105
+ keywords_df = keywords_df.sort_values('Score', ascending=True)
106
+ sns.barplot(x='Score', y='Keyword', data=keywords_df, ax=ax)
107
+ ax.set_title('Análise de Palavras-chave')
108
+
109
+ # Preparando relatório
110
+ report = f"""
111
+ 🔑 Palavras-chave Principais:
112
+ {', '.join([f'{k} ({v:.2f})' for k, v in sorted(all_keywords.items(), key=lambda x: x[1], reverse=True)])}
113
+
114
+ 💡 Recomendações:
115
+ - Foque nas palavras-chave com maior pontuação
116
+ - Use variações das palavras principais
117
+ - Combine keywords para frases longtail
118
+ """
119
+
120
+ return fig, report
121
+
122
+ def analyze_content_engagement(text):
123
+ """Análise de potencial de engajamento do conteúdo"""
124
+ # Análise básica
125
+ word_count = len(text.split())
126
+ sentence_count = len(text.split('.'))
127
+ avg_word_length = sum(len(word) for word in text.split()) / word_count
128
+
129
+ # Análise de sentimento para tom
130
+ blob = TextBlob(text)
131
+ sentiment = blob.sentiment
132
+
133
+ # Criando visualização
134
+ fig, (ax1, ax2) = plt.subplots(1, 2, figsize=(12, 5))
135
+
136
+ # Métricas de texto
137
+ metrics = pd.DataFrame({
138
+ 'Métrica': ['Palavras', 'Sentenças', 'Média Palavra'],
139
+ 'Valor': [word_count, sentence_count, avg_word_length]
140
+ })
141
+ sns.barplot(x='Métrica', y='Valor', data=metrics, ax=ax1)
142
+ ax1.set_title('Métricas do Texto')
143
+
144
+ # Engagement score
145
+ engagement_factors = {
146
+ 'Comprimento': min(1, word_count/300),
147
+ 'Clareza': min(1, 20/avg_word_length),
148
+ 'Emoção': (sentiment.polarity + 1)/2,
149
+ 'Estrutura': min(1, sentence_count/15)
150
+ }
151
+
152
+ engagement_df = pd.DataFrame(list(engagement_factors.items()),
153
+ columns=['Fator', 'Score'])
154
+ sns.barplot(x='Fator', y='Score', data=engagement_df, ax=ax2)
155
+ ax2.set_title('Fatores de Engajamento')
156
+
157
+ # Calculando score geral
158
+ engagement_score = sum(engagement_factors.values())/len(engagement_factors)
159
+
160
+ analysis = f"""
161
+ 📊 Análise de Engajamento:
162
+ Score Geral: {engagement_score:.2f}/1.0
163
+
164
+ 📝 Métricas do Texto:
165
+ - Palavras: {word_count}
166
+ - Sentenças: {sentence_count}
167
+ - Média de caracteres por palavra: {avg_word_length:.1f}
168
+
169
+ 💡 Recomendações:
170
+ {get_engagement_recommendations(engagement_factors)}
171
+ """
172
+
173
+ return fig, analysis
174
+
175
+ def get_engagement_recommendations(factors):
176
+ """Gera recomendações baseadas nos fatores de engajamento"""
177
+ recommendations = []
178
+
179
+ if factors['Comprimento'] < 0.7:
180
+ recommendations.append("- Considere aumentar o comprimento do texto")
181
+ if factors['Clareza'] < 0.7:
182
+ recommendations.append("- Use palavras mais simples para melhorar clareza")
183
+ if factors['Emoção'] < 0.5:
184
+ recommendations.append("- Adicione mais elementos emocionais ao conteúdo")
185
+ if factors['Estrutura'] < 0.7:
186
+ recommendations.append("- Melhore a estrutura com mais parágrafos")
187
+
188
+ return '\n'.join(recommendations) if recommendations else "- Conteúdo bem otimizado!"
189
+
190
+ def create_interface():
191
+ with gr.Blocks(theme=gr.themes.Soft()) as iface:
192
+ gr.Markdown(
193
+ """
194
+ # 🚀 Suite de Ferramentas IA para Marketing Digital
195
+ ### Ferramentas open source para otimização de conteúdo e análise
196
+ """
197
+ )
198
+
199
+ with gr.Tab("1. Análise de Sentimento"):
200
+ with gr.Row():
201
+ with gr.Column():
202
+ sentiment_text = gr.Textbox(
203
+ label="Texto para Análise",
204
+ placeholder="Cole seu texto aqui para análise de sentimento..."
205
+ )
206
+ sentiment_btn = gr.Button("Analisar Sentimento")
207
+ with gr.Column():
208
+ sentiment_plot = gr.Plot(label="Visualização")
209
+ sentiment_output = gr.Textbox(label="Análise Detalhada")
210
+ sentiment_btn.click(
211
+ analyze_sentiment_detailed,
212
+ inputs=[sentiment_text],
213
+ outputs=[sentiment_plot, sentiment_output]
214
+ )
215
+
216
+ with gr.Tab("2. Gerador de Conteúdo"):
217
+ with gr.Row():
218
+ with gr.Column():
219
+ content_prompt = gr.Textbox(
220
+ label="Tema/Prompt",
221
+ placeholder="Descreva o conteúdo que deseja gerar..."
222
+ )
223
+ content_type = gr.Dropdown(
224
+ choices=["social media post", "blog post", "marketing copy", "email"],
225
+ label="Tipo de Conteúdo"
226
+ )
227
+ content_tone = gr.Dropdown(
228
+ choices=["professional", "casual", "enthusiastic", "formal"],
229
+ label="Tom do Conteúdo"
230
+ )
231
+ content_btn = gr.Button("Gerar Conteúdo")
232
+ with gr.Column():
233
+ generated_content = gr.Textbox(label="Conteúdo Gerado")
234
+ content_suggestions = gr.Textbox(label="Sugestões e Métricas")
235
+ content_btn.click(
236
+ generate_marketing_content,
237
+ inputs=[content_prompt, content_type, content_tone],
238
+ outputs=[generated_content, content_suggestions]
239
+ )
240
+
241
+ with gr.Tab("3. Análise de Keywords"):
242
+ with gr.Row():
243
+ with gr.Column():
244
+ keyword_text = gr.Textbox(
245
+ label="Texto para Análise",
246
+ placeholder="Cole seu texto para análise de palavras-chave..."
247
+ )
248
+ keyword_count = gr.Slider(
249
+ minimum=5, maximum=20, value=10,
250
+ label="Número de Keywords"
251
+ )
252
+ keyword_btn = gr.Button("Analisar Keywords")
253
+ with gr.Column():
254
+ keyword_plot = gr.Plot(label="Visualização")
255
+ keyword_report = gr.Textbox(label="Relatório de Keywords")
256
+ keyword_btn.click(
257
+ analyze_keywords,
258
+ inputs=[keyword_text, keyword_count],
259
+ outputs=[keyword_plot, keyword_report]
260
+ )
261
+
262
+ with gr.Tab("4. Análise de Engajamento"):
263
+ with gr.Row():
264
+ with gr.Column():
265
+ engagement_text = gr.Textbox(
266
+ label="Conteúdo para Análise",
267
+ placeholder="Cole seu conteúdo para análise de engajamento..."
268
+ )
269
+ engagement_btn = gr.Button("Analisar Engajamento")
270
+ with gr.Column():
271
+ engagement_plot = gr.Plot(label="Métricas de Engajamento")
272
+ engagement_analysis = gr.Textbox(label="Análise de Engajamento")
273
+ engagement_btn.click(
274
+ analyze_content_engagement,
275
+ inputs=[engagement_text],
276
+ outputs=[engagement_plot, engagement_analysis]
277
+ )
278
+
279
+ gr.Markdown(
280
+ """
281
+ ### 🛠️ Ferramentas Disponíveis:
282
+
283
+ 1. **Análise de Sentimento**
284
+ - Análise detalhada do tom e sentimento do texto
285
+ - Visualização de métricas emocionais
286
+
287
+ 2. **Gerador de Conteúdo**
288
+ - Criação de conteúdo otimizado para marketing
289
+ - Sugestões de hashtags e keywords
290
+
291
+ 3. **Análise de Keywords**
292
+ - Identificação de palavras-chave relevantes
293
+ - Análise de densidade e importância
294
+
295
+ 4. **Análise de Engajamento**
296
+ - Avaliação do potencial de engajamento
297
+ - Recomendações para otimização
298
+
299
+ ### 📝 Notas:
300
+ - Todas as ferramentas utilizam modelos open source
301
+ - Os resultados são gerados localmente
302
+ - Recomendado para textos em português e inglês
303
+ """
304
+ )
305
+
306
+ return iface
307
+
308
+ if __name__ == "__main__":
309
+ iface = create_interface()
310
+ iface.launch(share=True)