histlearn commited on
Commit
52fdf78
·
verified ·
1 Parent(s): 43c6752

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +168 -172
app.py CHANGED
@@ -271,103 +271,98 @@ class ReportGenerator:
271
  plt.figure(figsize=(15, 10))
272
  ax = plt.gca()
273
 
274
- # Configuração inicial com estilo limpo
275
  plt.grid(True, alpha=0.2, linestyle='--')
276
  ax.set_facecolor('#f8f9fa')
277
-
278
- # Linha de média
279
- media_acertos = self.data['Acertos Absolutos'].mean()
280
- plt.axhline(y=media_acertos, color='gray', linestyle=':', alpha=0.5,
281
- label='Média de Acertos')
 
 
 
282
 
283
  # Estruturas para armazenamento
284
- all_points = []
285
- point_groups = {}
 
286
 
287
- # Plotar pontos e coletar dados
288
  for nivel, color in self.colors.items():
289
  mask = self.data['Nível'] == nivel
290
  tempo = pd.to_timedelta(self.data[mask]['Total Tempo']).dt.total_seconds() / 60
291
  acertos = self.data[mask]['Acertos Absolutos']
292
 
293
- scatter = plt.scatter(tempo, acertos, c=color, label=nivel, alpha=0.7, s=100)
294
 
295
  for t, a, nome in zip(tempo, acertos, self.data[mask]['Nome do Aluno']):
296
- point_key = (round(t, 1), a)
297
- if point_key not in point_groups:
298
- point_groups[point_key] = []
299
- point_groups[point_key].append((t, a, nome, color))
300
- all_points.append((t, a))
301
-
302
- # Lista para controle de sobreposições
303
- annotations = []
304
-
305
- # Função para calcular melhor posição
306
- def get_best_position(x, y, existing_annotations):
307
- angles = np.linspace(0, 2*np.pi, 16) # 16 direções possíveis
308
- base_radius = 3.0
309
- max_radius = 6.0
310
- best_pos = None
311
- min_overlap = float('inf')
312
 
313
- for radius in np.linspace(base_radius, max_radius, 4):
314
- for angle in angles:
315
- new_x = x + radius * np.cos(angle)
316
- new_y = y + radius * np.sin(angle)
317
-
318
- # Verificar limites do gráfico
319
- if not (ax.get_xlim()[0] <= new_x <= ax.get_xlim()[1] and
320
- ax.get_ylim()[0] <= new_y <= ax.get_ylim()[1]):
321
- continue
322
-
323
- overlaps = sum(1 for ann in existing_annotations if
324
- abs(ann[0] - new_x) < 2 and abs(ann[1] - new_y) < 2)
325
-
326
- if overlaps < min_overlap:
327
- min_overlap = overlaps
328
- best_pos = (new_x, new_y)
329
 
330
- return best_pos or (x + base_radius, y + base_radius)
331
-
332
- # Adicionar anotações
333
- for key, group in point_groups.items():
334
- if len(group) == 1:
335
- x, y, nome, _ = group[0]
336
- new_pos = get_best_position(x, y, annotations)
337
 
338
- plt.annotate(
339
- nome.split()[0],
340
- (x, y),
341
- xytext=new_pos,
342
- textcoords='data',
343
- bbox=dict(
344
- facecolor='white',
345
- edgecolor='lightgray',
346
- alpha=0.95,
347
- pad=1.0,
348
- boxstyle='round,pad=0.8'
349
- ),
350
- fontsize=9,
351
- arrowprops=dict(
352
- arrowstyle='-|>',
353
- connectionstyle='arc3,rad=0.2',
354
- color='gray',
355
- alpha=0.6
356
- )
357
- )
358
- annotations.append(new_pos)
359
- else:
360
  # Calcular centroide do grupo
361
- x_center = sum(p[0] for p in group) / len(group)
362
- y_center = sum(p[1] for p in group) / len(group)
363
- nomes = sorted(set([p[2].split()[0] for p in group]))
 
 
 
 
 
 
 
 
 
 
 
364
 
365
- new_pos = get_best_position(x_center, y_center, annotations)
 
366
 
 
 
 
 
 
 
 
 
 
 
 
367
  plt.annotate(
368
- f"{len(group)} alunos:\n" + "\n".join(nomes),
369
- (x_center, y_center),
370
- xytext=new_pos,
371
  textcoords='data',
372
  bbox=dict(
373
  facecolor='white',
@@ -379,27 +374,39 @@ class ReportGenerator:
379
  fontsize=9,
380
  arrowprops=dict(
381
  arrowstyle='-|>',
382
- connectionstyle='arc3,rad=0.2',
383
  color='gray',
384
- alpha=0.6
 
385
  )
386
  )
387
- annotations.append(new_pos)
 
 
388
 
389
  # Configurações finais
390
  plt.title('Relação entre Tempo e Acertos por Nível', pad=20, fontsize=14)
391
  plt.xlabel('Tempo Total (minutos)', fontsize=12)
392
  plt.ylabel('Número de Acertos', fontsize=12)
393
 
394
- # Legenda com todos os elementos
 
 
 
 
 
 
395
  handles, labels = plt.gca().get_legend_handles_labels()
396
  by_label = dict(zip(labels, handles))
397
- plt.legend(by_label.values(), by_label.keys(),
398
- bbox_to_anchor=(1.05, 1),
399
- loc='upper left',
400
- borderaxespad=0,
401
- frameon=True,
402
- fancybox=True)
 
 
 
403
 
404
  plt.tight_layout()
405
  return plt.gcf()
@@ -413,13 +420,20 @@ class ReportGenerator:
413
  plt.grid(True, alpha=0.2, linestyle='--')
414
  ax.set_facecolor('#f8f9fa')
415
 
416
- # Forçar ticks inteiros no eixo x
417
- ax.xaxis.set_major_locator(MaxNLocator(integer=True))
418
-
419
- point_groups = {}
420
- all_points = []
 
 
 
 
 
 
 
421
 
422
- # Plotar pontos e coletar dados
423
  for nivel, color in self.colors.items():
424
  mask = self.data['Nível'] == nivel
425
  tarefas = self.data[mask]['Tarefas Completadas']
@@ -428,11 +442,7 @@ class ReportGenerator:
428
  scatter = plt.scatter(tarefas, acertos, c=color, label=nivel, alpha=0.7, s=100)
429
 
430
  for t, a, nome in zip(tarefas, acertos, self.data[mask]['Nome do Aluno']):
431
- point_key = (t, a)
432
- if point_key not in point_groups:
433
- point_groups[point_key] = []
434
- point_groups[point_key].append((t, a, nome, color))
435
- all_points.append((t, a))
436
 
437
  # Linha de tendência
438
  z = np.polyfit(self.data['Tarefas Completadas'],
@@ -451,73 +461,53 @@ class ReportGenerator:
451
  plt.axhline(y=media_acertos, color='gray', linestyle=':', alpha=0.5,
452
  label='Média de Acertos')
453
 
454
- # Lista para controle de sobreposições
455
- annotations = []
456
-
457
- # Função para calcular melhor posição
458
- def get_best_position(x, y, existing_annotations):
459
- angles = np.linspace(0, 2*np.pi, 16)
460
- base_radius = 2.0 # Menor para tarefas discretas
461
- max_radius = 4.0
462
- best_pos = None
463
- min_overlap = float('inf')
464
-
465
- for radius in np.linspace(base_radius, max_radius, 4):
466
- for angle in angles:
467
- new_x = x + radius * np.cos(angle)
468
- new_y = y + radius * np.sin(angle)
469
-
470
- if not (ax.get_xlim()[0] <= new_x <= ax.get_xlim()[1] and
471
- ax.get_ylim()[0] <= new_y <= ax.get_ylim()[1]):
472
- continue
473
-
474
- overlaps = sum(1 for ann in existing_annotations if
475
- abs(ann[0] - new_x) < 1.5 and abs(ann[1] - new_y) < 1.5)
476
-
477
- if overlaps < min_overlap:
478
- min_overlap = overlaps
479
- best_pos = (new_x, new_y)
480
-
481
- return best_pos or (x + base_radius, y + base_radius)
482
-
483
- # Adicionar anotações
484
- for key, group in point_groups.items():
485
- if len(group) == 1:
486
- x, y, nome, _ = group[0]
487
- new_pos = get_best_position(x, y, annotations)
488
 
489
- plt.annotate(
490
- nome.split()[0],
491
- (x, y),
492
- xytext=new_pos,
493
- textcoords='data',
494
- bbox=dict(
495
- facecolor='white',
496
- edgecolor='lightgray',
497
- alpha=0.95,
498
- pad=1.0,
499
- boxstyle='round,pad=0.8'
500
- ),
501
- fontsize=9,
502
- arrowprops=dict(
503
- arrowstyle='-|>',
504
- connectionstyle='arc3,rad=0.2',
505
- color='gray',
506
- alpha=0.6
507
- )
508
- )
509
- annotations.append(new_pos)
510
- else:
511
- x_center = sum(p[0] for p in group) / len(group)
512
- y_center = sum(p[1] for p in group) / len(group)
513
- nomes = sorted(set([p[2].split()[0] for p in group]))
514
-
515
- new_pos = get_best_position(x_center, y_center, annotations)
516
 
 
517
  plt.annotate(
518
- f"{len(group)} alunos com\n{group[0][0]:.0f} tarefas:\n" + "\n".join(nomes),
519
- (x_center, y_center),
520
- xytext=new_pos,
521
  textcoords='data',
522
  bbox=dict(
523
  facecolor='white',
@@ -529,18 +519,21 @@ class ReportGenerator:
529
  fontsize=9,
530
  arrowprops=dict(
531
  arrowstyle='-|>',
532
- connectionstyle='arc3,rad=0.2',
533
  color='gray',
534
- alpha=0.6
 
535
  )
536
  )
537
- annotations.append(new_pos)
538
 
539
  # Configurações finais
540
  plt.title('Relação entre Tarefas Completadas e Acertos', pad=20, fontsize=14)
541
  plt.xlabel('Número de Tarefas Completadas', fontsize=12)
542
  plt.ylabel('Número de Acertos', fontsize=12)
543
 
 
 
 
544
  # Ajustar limites
545
  plt.xlim(
546
  self.data['Tarefas Completadas'].min() - 1,
@@ -554,12 +547,15 @@ class ReportGenerator:
554
  # Legenda com todos os elementos
555
  handles, labels = plt.gca().get_legend_handles_labels()
556
  by_label = dict(zip(labels, handles))
557
- plt.legend(by_label.values(), by_label.keys(),
558
- bbox_to_anchor=(1.05, 1),
559
- loc='upper left',
560
- borderaxespad=0,
561
- frameon=True,
562
- fancybox=True)
 
 
 
563
 
564
  plt.tight_layout()
565
  return plt.gcf()
 
271
  plt.figure(figsize=(15, 10))
272
  ax = plt.gca()
273
 
274
+ # Configuração inicial
275
  plt.grid(True, alpha=0.2, linestyle='--')
276
  ax.set_facecolor('#f8f9fa')
277
+
278
+ def calculate_distance(p1, p2):
279
+ return np.sqrt((p1[0] - p2[0])**2 + (p1[1] - p2[1])**2)
280
+
281
+ def create_bezier_curve(start, end):
282
+ mid_x = (start[0] + end[0]) / 2
283
+ return f'M{start[0]},{start[1]} ' \
284
+ f'C{mid_x},{start[1]} {mid_x},{end[1]} {end[0]},{end[1]}'
285
 
286
  # Estruturas para armazenamento
287
+ points_by_level = {level: [] for level in self.colors.keys()}
288
+ label_positions = {}
289
+ connection_lines = []
290
 
291
+ # Coletar pontos por nível
292
  for nivel, color in self.colors.items():
293
  mask = self.data['Nível'] == nivel
294
  tempo = pd.to_timedelta(self.data[mask]['Total Tempo']).dt.total_seconds() / 60
295
  acertos = self.data[mask]['Acertos Absolutos']
296
 
297
+ plt.scatter(tempo, acertos, c=color, label=nivel, alpha=0.7, s=100)
298
 
299
  for t, a, nome in zip(tempo, acertos, self.data[mask]['Nome do Aluno']):
300
+ points_by_level[nivel].append((t, a, nome))
301
+
302
+ # Linha de média
303
+ media_acertos = self.data['Acertos Absolutos'].mean()
304
+ plt.axhline(y=media_acertos, color='gray', linestyle=':', alpha=0.5,
305
+ label='Média de Acertos')
306
+
307
+ # Processamento por nível para evitar sobreposições entre grupos
308
+ for nivel, points in points_by_level.items():
309
+ # Ordenar pontos por Y para agrupar melhor
310
+ points.sort(key=lambda p: (p[1], p[0]))
 
 
 
 
 
311
 
312
+ # Agrupar pontos próximos
313
+ groups = []
314
+ used = set()
 
 
 
 
 
 
 
 
 
 
 
 
 
315
 
316
+ for i, p1 in enumerate(points):
317
+ if i in used:
318
+ continue
319
+
320
+ current_group = [p1]
321
+ used.add(i)
 
322
 
323
+ for j, p2 in enumerate(points):
324
+ if j not in used and calculate_distance(p1[:2], p2[:2]) < 2.0:
325
+ current_group.append(p2)
326
+ used.add(j)
327
+
328
+ groups.append(current_group)
329
+
330
+ # Processar cada grupo
331
+ for group in groups:
 
 
 
 
 
 
 
 
 
 
 
 
 
332
  # Calcular centroide do grupo
333
+ center_x = sum(p[0] for p in group) / len(group)
334
+ center_y = sum(p[1] for p in group) / len(group)
335
+
336
+ # Determinar posição do label
337
+ if len(group) == 1:
338
+ x, y, nome = group[0]
339
+ label_text = nome.split()[0]
340
+ else:
341
+ x, y = center_x, center_y
342
+ label_text = '\n'.join(sorted(p[2].split()[0] for p in group))
343
+
344
+ # Calcular posição otimizada para o label
345
+ angle = np.random.uniform(0, 2*np.pi)
346
+ base_radius = 3.0 + len(group) * 0.5
347
 
348
+ label_x = x + base_radius * np.cos(angle)
349
+ label_y = y + base_radius * np.sin(angle)
350
 
351
+ # Ajustar posição se muito próxima de outros labels
352
+ while any(calculate_distance((label_x, label_y), pos) < 2.0
353
+ for pos in label_positions.values()):
354
+ angle += np.pi/4
355
+ label_x = x + base_radius * np.cos(angle)
356
+ label_y = y + base_radius * np.sin(angle)
357
+
358
+ # Guardar posição do label
359
+ label_positions[(x, y)] = (label_x, label_y)
360
+
361
+ # Criar anotação com curva Bezier
362
  plt.annotate(
363
+ label_text,
364
+ (x, y),
365
+ xytext=(label_x, label_y),
366
  textcoords='data',
367
  bbox=dict(
368
  facecolor='white',
 
374
  fontsize=9,
375
  arrowprops=dict(
376
  arrowstyle='-|>',
377
+ connectionstyle=f'path,{create_bezier_curve((x,y), (label_x,label_y))}',
378
  color='gray',
379
+ alpha=0.6,
380
+ mutation_scale=15
381
  )
382
  )
383
+
384
+ # Registrar linha de conexão
385
+ connection_lines.append(((x, y), (label_x, label_y)))
386
 
387
  # Configurações finais
388
  plt.title('Relação entre Tempo e Acertos por Nível', pad=20, fontsize=14)
389
  plt.xlabel('Tempo Total (minutos)', fontsize=12)
390
  plt.ylabel('Número de Acertos', fontsize=12)
391
 
392
+ # Ajustar limites com margens
393
+ x_min, x_max = plt.xlim()
394
+ y_min, y_max = plt.ylim()
395
+ plt.xlim(x_min - 1, x_max + 1)
396
+ plt.ylim(max(0, y_min - 1), y_max + 1)
397
+
398
+ # Legenda
399
  handles, labels = plt.gca().get_legend_handles_labels()
400
  by_label = dict(zip(labels, handles))
401
+ plt.legend(
402
+ by_label.values(),
403
+ by_label.keys(),
404
+ bbox_to_anchor=(1.05, 1),
405
+ loc='upper left',
406
+ borderaxespad=0,
407
+ frameon=True,
408
+ fancybox=True
409
+ )
410
 
411
  plt.tight_layout()
412
  return plt.gcf()
 
420
  plt.grid(True, alpha=0.2, linestyle='--')
421
  ax.set_facecolor('#f8f9fa')
422
 
423
+ def calculate_distance(p1, p2):
424
+ return np.sqrt((p1[0] - p2[0])**2 + (p1[1] - p2[1])**2)
425
+
426
+ def create_smooth_connection(start, end, offset=0.5):
427
+ """Cria uma conexão suave entre dois pontos."""
428
+ mid_x = (start[0] + end[0]) / 2 + offset
429
+ return f'M{start[0]},{start[1]} ' \
430
+ f'C{mid_x},{start[1]} {mid_x},{end[1]} {end[0]},{end[1]}'
431
+
432
+ # Estruturas para armazenamento
433
+ points_by_level = {level: [] for level in self.colors.keys()}
434
+ used_positions = []
435
 
436
+ # Coletar e plotar pontos
437
  for nivel, color in self.colors.items():
438
  mask = self.data['Nível'] == nivel
439
  tarefas = self.data[mask]['Tarefas Completadas']
 
442
  scatter = plt.scatter(tarefas, acertos, c=color, label=nivel, alpha=0.7, s=100)
443
 
444
  for t, a, nome in zip(tarefas, acertos, self.data[mask]['Nome do Aluno']):
445
+ points_by_level[nivel].append((t, a, nome))
 
 
 
 
446
 
447
  # Linha de tendência
448
  z = np.polyfit(self.data['Tarefas Completadas'],
 
461
  plt.axhline(y=media_acertos, color='gray', linestyle=':', alpha=0.5,
462
  label='Média de Acertos')
463
 
464
+ # Processar pontos por nível
465
+ for nivel, points in points_by_level.items():
466
+ # Agrupar pontos com mesmas coordenadas
467
+ point_groups = {}
468
+ for t, a, nome in points:
469
+ key = (round(t, 1), round(a, 1))
470
+ if key not in point_groups:
471
+ point_groups[key] = []
472
+ point_groups[key].append((t, a, nome))
473
+
474
+ # Processar cada grupo
475
+ for (x, y), group in point_groups.items():
476
+ if len(group) == 1:
477
+ label = group[0][2].split()[0]
478
+ offset = 0
479
+ else:
480
+ label = f"{len(group)} alunos com\n{group[0][0]:.0f} tarefas:\n" + \
481
+ "\n".join(sorted(p[2].split()[0] for p in group))
482
+ offset = len(group) * 0.2
483
+
484
+ # Encontrar posição livre para o label
485
+ label_pos = None
486
+ radius = 2.0 + len(group) * 0.5
487
+ angle_step = 2 * np.pi / 16
 
 
 
 
 
 
 
 
 
 
488
 
489
+ for r in np.arange(radius, radius * 3, radius):
490
+ if label_pos:
491
+ break
492
+ for angle in np.arange(0, 2 * np.pi, angle_step):
493
+ test_x = x + r * np.cos(angle)
494
+ test_y = y + r * np.sin(angle)
495
+
496
+ # Verificar se posição está livre
497
+ if not any(calculate_distance((test_x, test_y), pos) < 2.0
498
+ for pos in used_positions):
499
+ label_pos = (test_x, test_y)
500
+ used_positions.append(label_pos)
501
+ break
502
+
503
+ if not label_pos:
504
+ label_pos = (x + radius, y + radius)
 
 
 
 
 
 
 
 
 
 
 
505
 
506
+ # Criar anotação
507
  plt.annotate(
508
+ label,
509
+ (x, y),
510
+ xytext=label_pos,
511
  textcoords='data',
512
  bbox=dict(
513
  facecolor='white',
 
519
  fontsize=9,
520
  arrowprops=dict(
521
  arrowstyle='-|>',
522
+ connectionstyle=f'path,{create_smooth_connection((x,y), label_pos, offset)}',
523
  color='gray',
524
+ alpha=0.6,
525
+ mutation_scale=15
526
  )
527
  )
 
528
 
529
  # Configurações finais
530
  plt.title('Relação entre Tarefas Completadas e Acertos', pad=20, fontsize=14)
531
  plt.xlabel('Número de Tarefas Completadas', fontsize=12)
532
  plt.ylabel('Número de Acertos', fontsize=12)
533
 
534
+ # Forçar ticks inteiros no eixo x
535
+ ax.xaxis.set_major_locator(MaxNLocator(integer=True))
536
+
537
  # Ajustar limites
538
  plt.xlim(
539
  self.data['Tarefas Completadas'].min() - 1,
 
547
  # Legenda com todos os elementos
548
  handles, labels = plt.gca().get_legend_handles_labels()
549
  by_label = dict(zip(labels, handles))
550
+ plt.legend(
551
+ by_label.values(),
552
+ by_label.keys(),
553
+ bbox_to_anchor=(1.05, 1),
554
+ loc='upper left',
555
+ borderaxespad=0,
556
+ frameon=True,
557
+ fancybox=True
558
+ )
559
 
560
  plt.tight_layout()
561
  return plt.gcf()