histlearn commited on
Commit
83c702c
·
verified ·
1 Parent(s): 7246ca8

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +70 -70
app.py CHANGED
@@ -42,16 +42,14 @@ class DataProcessor:
42
  return timedelta(0)
43
 
44
  @staticmethod
45
- def format_timedelta(td: timedelta) -> str:
46
- """Formata timedelta em string legível."""
47
- total_seconds = int(td.total_seconds())
48
- hours, remainder = divmod(total_seconds, 3600)
49
- minutes, seconds = divmod(remainder, 60)
50
- if hours > 0:
51
- return f"{hours}h {minutes}min {seconds}s"
52
- elif minutes > 0:
53
- return f"{minutes}min {seconds}s"
54
- return f"{seconds}s"
55
 
56
  @staticmethod
57
  def normalize_html_to_csv(input_html_path: str, output_csv_path: str) -> None:
@@ -269,71 +267,81 @@ class ReportGenerator:
269
  return plt.gcf()
270
 
271
  def create_time_performance_plot(self) -> plt.Figure:
272
- """Cria o gráfico de relação entre tempo e acertos com melhor legibilidade."""
273
  plt.figure(figsize=(15, 10))
274
-
275
- # Configurar fundo e grade
276
  plt.grid(True, alpha=0.2, linestyle='--')
277
  plt.gca().set_facecolor('#f8f9fa')
278
-
279
- # Criar dicionário para armazenar pontos próximos
280
- proximity_groups = {}
281
-
282
- # Primeiro, plotar os pontos
 
 
 
 
 
 
283
  for nivel, color in self.colors.items():
284
  mask = self.data['Nível'] == nivel
285
- tempo = pd.to_timedelta(self.data[mask]['Total Tempo']).dt.total_seconds() / 60
286
  acertos = self.data[mask]['Acertos Absolutos']
287
-
288
- scatter = plt.scatter(tempo, acertos, c=color, label=nivel, alpha=0.7, s=150)
289
-
 
290
  # Agrupar pontos próximos
291
- for x, y, nome in zip(tempo, acertos, self.data[mask]['Nome do Aluno']):
292
- key = (round(x, 1), round(y, 1)) # Arredondar para agrupar pontos próximos
293
- if key not in proximity_groups:
294
- proximity_groups[key] = []
295
- proximity_groups[key].append((x, y, nome))
296
-
297
- # Adicionar anotações com tratamento especial para pontos próximos
298
- for group in proximity_groups.values():
 
 
 
 
 
 
 
 
 
 
 
 
299
  if len(group) == 1:
300
- # Ponto único - anotação normal
301
  x, y, nome = group[0]
302
  plt.annotate(
303
- nome.split()[0], # Usar apenas primeiro nome
304
  (x, y),
305
  xytext=(5, 5),
306
  textcoords='offset points',
 
307
  bbox=dict(
308
  facecolor='white',
309
  edgecolor='none',
310
  alpha=0.8,
311
  pad=0.5
312
- ),
313
- fontsize=8,
314
- arrowprops=dict(
315
- arrowstyle='-',
316
- color='gray',
317
- alpha=0.3,
318
- connectionstyle='arc3,rad=0.3'
319
  )
320
  )
321
  else:
322
- # Múltiplos pontos próximos - criar lista vertical
323
- x_base = sum(p[0] for p in group) / len(group)
324
- y_base = sum(p[1] for p in group) / len(group)
325
- nomes = [p[2].split()[0] for p in group]
326
-
327
- # Calcular posição do texto para evitar sobreposição
328
- x_text = x_base + 10
329
- y_text = y_base
330
-
331
- # Criar caixa com lista de nomes
332
- nome_text = '\n'.join(nomes)
333
  plt.annotate(
334
- nome_text,
335
- (x_base, y_base),
336
- xytext=(x_text, y_text),
 
337
  bbox=dict(
338
  facecolor='white',
339
  edgecolor='lightgray',
@@ -341,30 +349,22 @@ class ReportGenerator:
341
  pad=0.5,
342
  boxstyle='round,pad=0.5'
343
  ),
344
- fontsize=8,
345
  arrowprops=dict(
346
  arrowstyle='->',
 
347
  color='gray',
348
- alpha=0.5,
349
- connectionstyle='arc3,rad=0.2'
350
- )
 
351
  )
352
-
353
  plt.title('Relação entre Tempo e Acertos por Nível', pad=20)
354
  plt.xlabel('Tempo Total (minutos)')
355
  plt.ylabel('Número de Acertos')
356
-
357
- # Melhorar posição e aparência da legenda
358
- plt.legend(
359
- bbox_to_anchor=(1.05, 1),
360
- loc='upper left',
361
- borderaxespad=0,
362
- frameon=True,
363
- facecolor='white',
364
- edgecolor='none'
365
- )
366
-
367
  plt.tight_layout()
 
368
  return plt.gcf()
369
 
370
  def create_tasks_performance_plot(self) -> plt.Figure:
@@ -538,7 +538,7 @@ class ReportGenerator:
538
  ('Acertos', 20),
539
  ('Tarefas', 20),
540
  ('Taxa', 20),
541
- ('Tempo Total', 35)
542
  ]
543
 
544
  # Cabeçalho da tabela
 
42
  return timedelta(0)
43
 
44
  @staticmethod
45
+ def format_time(seconds: float) -> str:
46
+ """Formata o tempo de forma mais limpa e consistente."""
47
+ minutes = int(seconds // 60)
48
+ remaining_seconds = int(seconds % 60)
49
+
50
+ if minutes == 0:
51
+ return f"{remaining_seconds}s"
52
+ return f"{minutes}min {remaining_seconds}s"
 
 
53
 
54
  @staticmethod
55
  def normalize_html_to_csv(input_html_path: str, output_csv_path: str) -> None:
 
267
  return plt.gcf()
268
 
269
  def create_time_performance_plot(self) -> plt.Figure:
270
+ """Cria o gráfico de relação entre tempo e acertos com melhor agrupamento."""
271
  plt.figure(figsize=(15, 10))
272
+
273
+ # Configuração inicial
274
  plt.grid(True, alpha=0.2, linestyle='--')
275
  plt.gca().set_facecolor('#f8f9fa')
276
+
277
+ # Função para determinar proximidade de pontos
278
+ def are_points_close(p1, p2, threshold=0.1):
279
+ x1, y1 = p1
280
+ x2, y2 = p2
281
+ return abs(x1 - x2) < threshold and abs(y1 - y2) < threshold
282
+
283
+ # Agrupar pontos próximos
284
+ point_groups = []
285
+ processed_points = set()
286
+
287
  for nivel, color in self.colors.items():
288
  mask = self.data['Nível'] == nivel
289
+ tempo_mins = pd.to_timedelta(self.data[mask]['Total Tempo']).dt.total_seconds() / 60
290
  acertos = self.data[mask]['Acertos Absolutos']
291
+
292
+ # Plotar pontos
293
+ plt.scatter(tempo_mins, acertos, c=color, label=nivel, alpha=0.7, s=100)
294
+
295
  # Agrupar pontos próximos
296
+ points = list(zip(tempo_mins, acertos, self.data[mask]['Nome do Aluno']))
297
+
298
+ for i, (x, y, nome) in enumerate(points):
299
+ if (x, y) in processed_points:
300
+ continue
301
+
302
+ # Encontrar pontos próximos
303
+ current_group = [(x, y, nome)]
304
+ processed_points.add((x, y))
305
+
306
+ for j, (x2, y2, nome2) in enumerate(points[i+1:]):
307
+ if are_points_close((x, y), (x2, y2)):
308
+ current_group.append((x2, y2, nome2))
309
+ processed_points.add((x2, y2))
310
+
311
+ if current_group:
312
+ point_groups.append(current_group)
313
+
314
+ # Adicionar anotações para grupos
315
+ for group in point_groups:
316
  if len(group) == 1:
 
317
  x, y, nome = group[0]
318
  plt.annotate(
319
+ nome.split()[0],
320
  (x, y),
321
  xytext=(5, 5),
322
  textcoords='offset points',
323
+ fontsize=8,
324
  bbox=dict(
325
  facecolor='white',
326
  edgecolor='none',
327
  alpha=0.8,
328
  pad=0.5
 
 
 
 
 
 
 
329
  )
330
  )
331
  else:
332
+ # Centro do grupo
333
+ x_mean = sum(p[0] for p in group) / len(group)
334
+ y_mean = sum(p[1] for p in group) / len(group)
335
+
336
+ # Lista de nomes ordenada
337
+ nomes = sorted([p[2].split()[0] for p in group])
338
+
339
+ # Posicionar caixa de texto
 
 
 
340
  plt.annotate(
341
+ '\n'.join(nomes),
342
+ (x_mean, y_mean),
343
+ xytext=(15, 15),
344
+ textcoords='offset points',
345
  bbox=dict(
346
  facecolor='white',
347
  edgecolor='lightgray',
 
349
  pad=0.5,
350
  boxstyle='round,pad=0.5'
351
  ),
 
352
  arrowprops=dict(
353
  arrowstyle='->',
354
+ connectionstyle='arc3,rad=0.2',
355
  color='gray',
356
+ alpha=0.6
357
+ ),
358
+ fontsize=8,
359
+ zorder=5
360
  )
361
+
362
  plt.title('Relação entre Tempo e Acertos por Nível', pad=20)
363
  plt.xlabel('Tempo Total (minutos)')
364
  plt.ylabel('Número de Acertos')
365
+ plt.legend(bbox_to_anchor=(1.05, 1), loc='upper left')
 
 
 
 
 
 
 
 
 
 
366
  plt.tight_layout()
367
+
368
  return plt.gcf()
369
 
370
  def create_tasks_performance_plot(self) -> plt.Figure:
 
538
  ('Acertos', 20),
539
  ('Tarefas', 20),
540
  ('Taxa', 20),
541
+ ('Tempo Total', 20)
542
  ]
543
 
544
  # Cabeçalho da tabela