histlearn commited on
Commit
8bc1143
·
verified ·
1 Parent(s): 83c702c

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +107 -134
app.py CHANGED
@@ -267,80 +267,83 @@ class ReportGenerator:
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',
@@ -349,53 +352,52 @@ class ReportGenerator:
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:
371
- """Cria o gráfico de relação entre tarefas e acertos com melhor legibilidade."""
372
  plt.figure(figsize=(15, 10))
373
 
374
- # Configurar fundo e grade
375
  plt.grid(True, alpha=0.2, linestyle='--')
376
  plt.gca().set_facecolor('#f8f9fa')
377
 
378
- # Dicionário para armazenar pontos próximos
379
- proximity_groups = {}
380
 
381
- # Primeiro, plotar os pontos e a linha de tendência
382
  for nivel, color in self.colors.items():
383
  mask = self.data['Nível'] == nivel
384
  tarefas = self.data[mask]['Tarefas Completadas']
385
  acertos = self.data[mask]['Acertos Absolutos']
386
 
387
- plt.scatter(tarefas, acertos, c=color, label=nivel, alpha=0.7, s=150)
388
 
389
- # Agrupar pontos próximos
390
- for x, y, nome in zip(tarefas, acertos, self.data[mask]['Nome do Aluno']):
391
- key = (x, y) # Usar valores exatos pois tarefas são discretas
392
- if key not in proximity_groups:
393
- proximity_groups[key] = []
394
- proximity_groups[key].append((x, y, nome))
395
 
396
- # Adicionar linha de tendência
397
- z = np.polyfit(self.data['Tarefas Completadas'],
398
- self.data['Acertos Absolutos'], 1)
399
  p = np.poly1d(z)
400
  x_range = np.linspace(
401
  self.data['Tarefas Completadas'].min(),
@@ -405,76 +407,47 @@ class ReportGenerator:
405
  plt.plot(x_range, p(x_range), "--", color='#e74c3c', alpha=0.8,
406
  label='Tendência', linewidth=2)
407
 
408
- # Adicionar anotações com tratamento especial para pontos próximos
409
- for group in proximity_groups.values():
410
- if len(group) == 1:
411
- # Ponto único - anotação normal
412
- x, y, nome = group[0]
413
- plt.annotate(
414
- nome.split()[0], # Usar apenas primeiro nome
415
- (x, y),
416
- xytext=(5, 5),
417
- textcoords='offset points',
418
- bbox=dict(
419
- facecolor='white',
420
- edgecolor='none',
421
- alpha=0.8,
422
- pad=0.5
423
- ),
424
- fontsize=8,
425
- arrowprops=dict(
426
- arrowstyle='-',
427
- color='gray',
428
- alpha=0.3,
429
- connectionstyle='arc3,rad=0.3'
430
- )
431
- )
432
- else:
433
- # Múltiplos pontos próximos - criar caixa com lista
434
- x_base = sum(p[0] for p in group) / len(group)
435
- y_base = sum(p[1] for p in group) / len(group)
436
- nomes = [p[2].split()[0] for p in group]
437
-
438
- # Determinar posição do texto baseado no quadrante do gráfico
439
- x_text = x_base + (0.5 if x_base < np.mean(self.data['Tarefas Completadas']) else -2)
440
- y_text = y_base + (0.5 if y_base < np.mean(self.data['Acertos Absolutos']) else -2)
441
 
442
- # Criar caixa com lista de nomes
443
- nome_text = '\n'.join(nomes)
444
- plt.annotate(
445
- nome_text,
446
- (x_base, y_base),
447
- xytext=(x_text, y_text),
448
- bbox=dict(
449
- facecolor='white',
450
- edgecolor='lightgray',
451
- alpha=0.9,
452
- pad=0.5,
453
- boxstyle='round,pad=0.5'
454
- ),
455
- fontsize=8,
456
- arrowprops=dict(
457
- arrowstyle='->',
458
- color='gray',
459
- alpha=0.5,
460
- connectionstyle='arc3,rad=0.2'
461
- )
 
462
  )
 
463
 
464
  plt.title('Relação entre Tarefas Completadas e Acertos', pad=20)
465
  plt.xlabel('Número de Tarefas Completadas')
466
  plt.ylabel('Número de Acertos')
467
-
468
- plt.legend(
469
- bbox_to_anchor=(1.05, 1),
470
- loc='upper left',
471
- borderaxespad=0,
472
- frameon=True,
473
- facecolor='white',
474
- edgecolor='none'
475
- )
476
-
477
  plt.tight_layout()
 
478
  return plt.gcf()
479
 
480
  def generate_graphs(self) -> List[plt.Figure]:
 
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 agrupamento melhorado."""
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 calcular distância entre pontos
278
+ def calculate_distance(p1, p2):
279
+ return np.sqrt((p1[0] - p2[0])**2 + (p1[1] - p2[1])**2)
280
+
281
+ # Lista para armazenar todos os pontos
282
+ all_points = []
283
+
284
+ # Primeiro passar, plotar pontos e coletar coordenadas
 
 
285
  for nivel, color in self.colors.items():
286
  mask = self.data['Nível'] == nivel
287
+ tempo = pd.to_timedelta(self.data[mask]['Total Tempo']).dt.total_seconds() / 60
288
  acertos = self.data[mask]['Acertos Absolutos']
289
+
290
+ plt.scatter(tempo, acertos, c=color, label=nivel, alpha=0.7, s=100)
291
+
292
+ for t, a, nome in zip(tempo, acertos, self.data[mask]['Nome do Aluno']):
293
+ all_points.append((t, a, nome, color))
294
+
295
+ # Agrupar pontos próximos
296
+ distance_threshold = 1.5 # Ajuste este valor conforme necessário
297
+ grouped_points = []
298
+ processed = set()
299
+
300
+ for i, (x1, y1, name1, color1) in enumerate(all_points):
301
+ if i in processed:
302
+ continue
303
 
304
+ current_group = [(x1, y1, name1, color1)]
305
+ processed.add(i)
306
+
307
+ for j, (x2, y2, name2, color2) in enumerate(all_points[i+1:], i+1):
308
+ if j not in processed and calculate_distance((x1, y1), (x2, y2)) < distance_threshold:
309
+ current_group.append((x2, y2, name2, color2))
310
+ processed.add(j)
 
 
 
 
 
 
 
 
 
 
 
 
 
 
311
 
312
+ grouped_points.append(current_group)
313
+
314
+ # Adicionar anotações
315
+ for group in grouped_points:
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
  bbox=dict(
324
  facecolor='white',
325
  edgecolor='none',
326
  alpha=0.8,
327
  pad=0.5
328
+ ),
329
+ fontsize=8
330
  )
331
  else:
332
+ # Calcular centro do grupo
333
+ x_center = sum(p[0] for p in group) / len(group)
334
+ y_center = sum(p[1] for p in group) / len(group)
335
+
336
+ # Ordenar nomes alfabeticamente
337
  nomes = sorted([p[2].split()[0] for p in group])
338
+
339
+ # Determinar direção do deslocamento baseado no quadrante
340
+ x_direction = 30 if x_center < np.mean([p[0] for p in all_points]) else -30
341
+ y_direction = 20 if y_center < np.mean([p[1] for p in all_points]) else -20
342
+
343
  plt.annotate(
344
  '\n'.join(nomes),
345
+ (x_center, y_center),
346
+ xytext=(x_direction, y_direction),
347
  textcoords='offset points',
348
  bbox=dict(
349
  facecolor='white',
 
352
  pad=0.5,
353
  boxstyle='round,pad=0.5'
354
  ),
355
+ fontsize=8,
356
  arrowprops=dict(
357
+ arrowstyle='-|>',
358
+ connectionstyle=f'arc3,rad={0.2 if x_direction > 0 else -0.2}',
359
  color='gray',
360
  alpha=0.6
361
+ )
 
 
362
  )
363
+
364
  plt.title('Relação entre Tempo e Acertos por Nível', pad=20)
365
  plt.xlabel('Tempo Total (minutos)')
366
  plt.ylabel('Número de Acertos')
367
  plt.legend(bbox_to_anchor=(1.05, 1), loc='upper left')
368
  plt.tight_layout()
369
+
370
  return plt.gcf()
371
 
372
  def create_tasks_performance_plot(self) -> plt.Figure:
373
+ """Cria o gráfico de relação entre tarefas e acertos com agrupamento melhorado."""
374
  plt.figure(figsize=(15, 10))
375
 
376
+ # Configuração inicial
377
  plt.grid(True, alpha=0.2, linestyle='--')
378
  plt.gca().set_facecolor('#f8f9fa')
379
 
380
+ # Dicionário para agrupar pontos com mesmas coordenadas
381
+ point_groups = {}
382
 
383
+ # Primeiro passar, plotar pontos
384
  for nivel, color in self.colors.items():
385
  mask = self.data['Nível'] == nivel
386
  tarefas = self.data[mask]['Tarefas Completadas']
387
  acertos = self.data[mask]['Acertos Absolutos']
388
 
389
+ plt.scatter(tarefas, acertos, c=color, label=nivel, alpha=0.7, s=100)
390
 
391
+ # Agrupar pontos com coordenadas idênticas
392
+ for t, a, nome in zip(tarefas, acertos, self.data[mask]['Nome do Aluno']):
393
+ key = (t, a)
394
+ if key not in point_groups:
395
+ point_groups[key] = []
396
+ point_groups[key].append((nome, color))
397
 
398
+ # Linha de tendência
399
+ z = np.polyfit(self.data['Tarefas Completadas'],
400
+ self.data['Acertos Absolutos'], 1)
401
  p = np.poly1d(z)
402
  x_range = np.linspace(
403
  self.data['Tarefas Completadas'].min(),
 
407
  plt.plot(x_range, p(x_range), "--", color='#e74c3c', alpha=0.8,
408
  label='Tendência', linewidth=2)
409
 
410
+ # Adicionar anotações
411
+ for (x, y), group in point_groups.items():
412
+ nomes = sorted([nome.split()[0] for nome, _ in group])
413
+
414
+ # Ajustar posição baseado na densidade de pontos na região
415
+ nearby_points = sum(1 for (px, py) in point_groups.keys()
416
+ if abs(px - x) <= 1 and abs(py - y) <= 1)
417
+
418
+ angle = (hash(str(nomes)) % 8) * 45 # Ângulo baseado nos nomes
419
+ radius = 20 + (nearby_points * 5) # Raio aumenta com pontos próximos
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
420
 
421
+ dx = radius * np.cos(np.radians(angle))
422
+ dy = radius * np.sin(np.radians(angle))
423
+
424
+ plt.annotate(
425
+ '\n'.join(nomes),
426
+ (x, y),
427
+ xytext=(dx, dy),
428
+ textcoords='offset points',
429
+ bbox=dict(
430
+ facecolor='white',
431
+ edgecolor='lightgray',
432
+ alpha=0.9,
433
+ pad=0.5,
434
+ boxstyle='round,pad=0.5'
435
+ ),
436
+ fontsize=8,
437
+ arrowprops=dict(
438
+ arrowstyle='-|>',
439
+ connectionstyle=f'arc3,rad={0.2 if dx > 0 else -0.2}',
440
+ color='gray',
441
+ alpha=0.6
442
  )
443
+ )
444
 
445
  plt.title('Relação entre Tarefas Completadas e Acertos', pad=20)
446
  plt.xlabel('Número de Tarefas Completadas')
447
  plt.ylabel('Número de Acertos')
448
+ plt.legend(bbox_to_anchor=(1.05, 1), loc='upper left')
 
 
 
 
 
 
 
 
 
449
  plt.tight_layout()
450
+
451
  return plt.gcf()
452
 
453
  def generate_graphs(self) -> List[plt.Figure]: