File size: 16,449 Bytes
ffe1030 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 |
import pandas as pd
import plotly.express as px
import plotly.graph_objects as go
from .config import COLORS, COLORSCALE, COLORSCALE_HEATMAP, BASE_LAYOUT, apply_stade_style
def create_top_players_chart(df, n_players=10):
"""Graphique complet du top des joueuses basé sur les notes moyennes"""
from analytics.scoring import calculate_player_scoring
# Calculer les notes moyennes par joueuse
scoring_data = calculate_player_scoring(df)['by_player_match']
top_players = scoring_data.groupby(['Prenom', 'Nom'])['note_match_joueuse'].mean().reset_index()
top_players['Nom_complet'] = top_players['Prenom'] + ' ' + top_players['Nom']
top_players = top_players.nlargest(n_players, 'note_match_joueuse')
# Créer le graphique AVEC son style
fig = px.bar(
top_players,
x='note_match_joueuse',
y='Nom_complet',
orientation='h',
title=f"Top {n_players} des joueuses par note moyenne",
color='note_match_joueuse',
color_continuous_scale=COLORSCALE
)
# Style intégré directement
fig.update_layout(
**BASE_LAYOUT,
height=400,
coloraxis_showscale=False,
yaxis={
'categoryorder': 'total ascending',
'title': '',
'tickfont': dict(color=COLORS['secondary'], size=12)
},
xaxis={
'title': 'Note moyenne',
'tickfont': dict(color=COLORS['secondary'], size=11)
},
title={
'font': dict(color=COLORS['secondary'], size=16, family='Arial Black'),
'x': 0.5,
'xanchor': 'center'
},
xaxis_range=[top_players['note_match_joueuse'].min()-1, top_players['note_match_joueuse'].max()+1]
)
# Axes
fig.update_xaxes(
showgrid=True,
gridcolor=COLORS['light_red'],
zeroline=True,
zerolinecolor=COLORS['primary']
)
fig.update_yaxes(showgrid=False)
fig.update_xaxes(showgrid=False)
return fig
def create_player_actions_pie(df, player_name):
"""Graphique en camembert des actions d'une joueuse"""
player_data = df[df['Nom'].str.contains(player_name, case=False)]
if player_data.empty:
return None
action_breakdown = player_data.groupby('Action')['Nb_actions'].sum().reset_index()
fig = px.pie(
action_breakdown,
values='Nb_actions',
names='Action',
title=f"Actions de {player_name}",
color_discrete_sequence=[COLORS['primary'], COLORS['secondary'], COLORS['gray']]
)
# Style spécifique au pie chart
fig.update_layout(
**BASE_LAYOUT,
title={
'font': dict(color=COLORS['secondary'], size=16, family='Arial Black'),
'x': 0.5,
'xanchor': 'center'
}
)
fig.update_traces(
textfont_size=12,
textfont_color='white',
marker=dict(line=dict(color='white', width=2))
)
return fig
def create_player_level_distribution(df, player_name):
"""Distribution des niveaux pour une joueuse"""
player_data = df[df['Nom'].str.contains(player_name, case=False)]
if player_data.empty:
return None
level_data = player_data.groupby('Niveau')['Nb_actions'].sum().reset_index()
level_data['Niveau_label'] = level_data['Niveau'].map({
0: '0', 1: '1', 2: '2', 3: '3'
})
fig = px.bar(
level_data,
x='Niveau_label',
y='Nb_actions',
title=f"Niveau de performance - {player_name}",
color='Niveau',
color_continuous_scale=COLORSCALE
)
fig.update_layout(
**BASE_LAYOUT,
xaxis={'title': 'Niveau de performance'},
yaxis={'title': 'Nombre d\'actions'},
title={
'font': dict(color=COLORS['secondary'], size=16, family='Arial Black'),
'x': 0.5,
'xanchor': 'center'
}
)
return fig
def create_player_profile_chart(df, player_name):
"""Graphique de profil d'une joueuse - alias pour create_player_actions_pie"""
return create_player_actions_pie(df, player_name)
def create_player_evolution_chart(df, player_name):
"""Évolution d'une joueuse par match"""
player_data = df[df['Nom'].str.contains(player_name, case=False)]
if player_data.empty:
return None
evolution = player_data.groupby('Match')['Nb_actions'].sum().reset_index()
fig = px.line(
evolution,
x='Match',
y='Nb_actions',
title=f"Évolution de {player_name}",
markers=True
)
fig.update_traces(
line_color=COLORS['primary'],
marker_color=COLORS['primary'],
marker_size=8
)
fig.update_layout(
**BASE_LAYOUT,
title={
'font': dict(color=COLORS['primary'], size=16, family='Arial Black'),
'x': 0.5,
'xanchor': 'center'
}
)
return fig
def create_player_comparison_radar(df, players_list):
"""Graphique radar simple pour comparer des joueuses"""
# Version simplifiée pour éviter les erreurs
if not players_list or len(players_list) == 0:
return None
# Pour l'instant, retournons un graphique simple
player = players_list[0]
player_data = df[df['Nom'].str.contains(player, case=False)]
if player_data.empty:
return None
action_breakdown = player_data.groupby('Action')['Nb_actions'].sum().reset_index()
fig = px.bar(
action_breakdown,
x='Action',
y='Nb_actions',
title=f"Profil de {player}",
color='Nb_actions',
color_continuous_scale=COLORSCALE
)
fig.update_layout(**BASE_LAYOUT)
return fig
def create_performance_heatmap(df, n_players=15):
"""Heatmap des performances - BLANC -> ROUGE uniquement"""
# Préparer les données pour la heatmap
heatmap_data = df.groupby(['Nom', 'Match'])['Nb_actions'].sum().reset_index()
heatmap_pivot = heatmap_data.pivot(index='Nom', columns='Match', values='Nb_actions').fillna(0)
# Limiter aux meilleures joueuses pour la lisibilité
top_players = df.groupby('Nom')['Nb_actions'].sum().nlargest(n_players).index
heatmap_pivot = heatmap_pivot.loc[top_players]
# Créer la heatmap avec BLANC -> ROUGE ← CHANGEMENT ICI
fig = px.imshow(
heatmap_pivot,
aspect='auto',
title=f"Intensité d'activité - Top {n_players}",
color_continuous_scale=COLORSCALE_HEATMAP, # ← BLANC -> ROUGE
labels={'color': 'Nb actions'}
)
# ENLEVER LA COLORSCALE LEGEND
fig.update_traces(showscale=False)
# Appliquer le style Stade Toulousain
fig.update_layout(
**BASE_LAYOUT,
height=600,
coloraxis_showscale=False,
title={
'font': dict(color=COLORS['secondary'], size=16, family='Arial Black'),
'x': 0.5,
'xanchor': 'center'
},
# Style des axes
xaxis={
'title': 'Matchs',
'tickfont': dict(color=COLORS['secondary'], size=10),
'tickangle': 45 # Incliner les noms de matchs pour la lisibilité
},
yaxis={
'title': 'Joueuses',
'tickfont': dict(color=COLORS['secondary'], size=10)
}
)
# Personnaliser le hover
fig.update_traces(
hoverlabel=dict(
bgcolor=COLORS['primary'],
font_color='white',
font_size=12
)
)
return fig
def create_team_activity_heatmap(df):
"""Heatmap par action/niveau - BLANC -> ROUGE uniquement"""
# Préparer les données : Actions vs Niveaux
heatmap_data = df.groupby(['Action', 'Niveau'])['Nb_actions'].sum().reset_index()
heatmap_pivot = heatmap_data.pivot(index='Action', columns='Niveau', values='Nb_actions').fillna(0)
# Renommer les colonnes pour plus de clarté
level_labels = {0: '0', 1: '1', 2: '2', 3: '3'}
heatmap_pivot.columns = [level_labels.get(col, f'Niveau {col}') for col in heatmap_pivot.columns]
fig = px.imshow(
heatmap_pivot,
aspect='auto',
title="Intensité par action et niveau",
color_continuous_scale=COLORSCALE_HEATMAP
)
# Style Stade Toulousain
fig.update_traces(showscale=False)
fig.update_layout(
**BASE_LAYOUT,
height=400,
coloraxis_showscale=False,
title={
'font': dict(color=COLORS['secondary'], size=16, family='Arial Black'),
'x': 0.6,
'xanchor': 'center'
},
xaxis={
'title': '',
'tickfont': dict(color=COLORS['secondary'], size=11)
},
yaxis={
'title': '',
'tickfont': dict(color=COLORS['secondary'], size=11)
}
)
fig.update_traces(
hoverlabel=dict(
bgcolor=COLORS['primary'],
font_color='white',
font_size=12
)
)
return fig
def create_performance_heatmap_advanced(df, n_players=15, match_filter=None, colorscale_type='stade'):
"""Heatmap avancée avec options"""
# Filtrer par matchs si spécifié
if match_filter:
df_filtered = df[df['Match'].isin(match_filter)]
else:
df_filtered = df
# Préparer les données
heatmap_data = df_filtered.groupby(['Nom', 'Match'])['Nb_actions'].sum().reset_index()
heatmap_pivot = heatmap_data.pivot(index='Nom', columns='Match', values='Nb_actions').fillna(0)
# Top joueuses
top_players = df_filtered.groupby('Nom')['Nb_actions'].sum().nlargest(n_players).index
heatmap_pivot = heatmap_pivot.loc[top_players]
# Choisir la colorscale
if colorscale_type == 'stade':
colorscale = COLORSCALE
elif colorscale_type == 'reversed':
colorscale = [[0, COLORS['primary']], [1, COLORS['secondary']]]
else:
colorscale = COLORSCALE
fig = px.imshow(
heatmap_pivot,
aspect='auto',
title=f"Heatmap personnalisée - {len(heatmap_pivot.index)} joueuses",
color_continuous_scale=colorscale
)
# Style
fig.update_traces(showscale=False)
fig.update_layout(
**BASE_LAYOUT,
coloraxis_showscale=False,
height=500,
title={
'font': dict(color=COLORS['secondary'], size=16, family='Arial Black'),
'x': 0.5,
'xanchor': 'center'
}
)
return fig
def create_performance_comparison_chart(df):
"""Graphique combiné : barres (notes moyennes par action) + ligne (nombre d'actions) + points (meilleures/moins bonnes notes)"""
from analytics.scoring import calculate_player_scoring
# Calculer les données de scoring
scoring_data = calculate_player_scoring(df)['by_action']
avg_scores = scoring_data.groupby(['Match', 'Action'])['note_match_joueuse'].mean().reset_index()
# Calculer la plage dynamique : min note globale -10 à max note globale +10
min_note = scoring_data['note_match_joueuse'].min()
max_note = scoring_data['note_match_joueuse'].max()
y_range = [50, 77]
# Créer un graphique avec deux axes Y
fig = go.Figure()
# Ajouter le graphique en barres sur l'axe Y gauche avec dégradé de couleurs
actions = avg_scores['Action'].unique()
n_actions = len(actions)
for i, action in enumerate(actions):
action_data = avg_scores[avg_scores['Action'] == action]
# Calculer la couleur avec un dégradé de secondary (noir) à primary (rouge)
ratio = i / (n_actions - 1) if n_actions > 1 else 0
color = f"rgba({204 * ratio + 0 * (1-ratio):.0f}, {12 * ratio + 0 * (1-ratio):.0f}, {19 * ratio + 0 * (1-ratio):.0f}, 1)"
fig.add_trace(
go.Bar(
x=action_data['Match'],
y=action_data['note_match_joueuse'],
name=action,
yaxis='y',
marker_color=color
)
)
# Ajouter les meilleures notes par match sur l'axe Y droit
best_scores_with_names = scoring_data.loc[scoring_data.groupby(['Match'])['note_match_joueuse'].idxmax()][['Match', 'Prenom', 'Nom', 'note_match_joueuse']].reset_index(drop=True)
fig.add_trace(
go.Scatter(
x=best_scores_with_names['Match'],
y=best_scores_with_names['note_match_joueuse'],
name='Meilleure note par match',
yaxis='y2',
line=dict(width=0),
marker=dict(color='#2E8B57', size=12),
mode='markers+text',
text=best_scores_with_names['Prenom'] + ' ' + best_scores_with_names['Nom'],
textposition='top center',
textfont=dict(size=11, color='#2E8B57')
)
)
# Configuration des axes
fig.update_layout(
legend=dict(
orientation="h",
yanchor="top",
y=-0.2,
xanchor="center",
x=0.5
),
yaxis=dict(
title="Note moyenne par action",
range=y_range,
side='left'
),
yaxis2=dict(
title="Meilleure note par match",
range=[50, 110],
side='right',
overlaying='y'
),
barmode='group',
**BASE_LAYOUT
)
return fig
def create_performance_violin_chart(df):
"""Graphique violin plot pour la distribution des notes par match"""
from analytics.scoring import calculate_player_scoring
# Calculer les données de scoring
scoring_data = calculate_player_scoring(df)['by_action']
# Créer le violin plot
fig = px.violin(
scoring_data,
x="Match",
y="note_match_joueuse",
box=True,
color_discrete_sequence=[COLORS['primary'], COLORS['secondary'], COLORS['gray']]
)
# Appliquer le style Stade Toulousain
fig.update_layout(
**BASE_LAYOUT,
height=500,
xaxis={
'title': 'Matchs',
'tickfont': dict(color=COLORS['secondary'], size=11),
'tickangle': 45
},
yaxis={
'title': 'Notes',
'tickfont': dict(color=COLORS['secondary'], size=11)
},
)
# Personnaliser le hover, la boîte et la largeur des violins
fig.update_traces(
hoverlabel=dict(
bgcolor=COLORS['primary'],
font_color='white',
font_size=12
),
box=dict(
fillcolor=COLORS['primary'], # Couleur de remplissage de la boîte
# line=dict(color=COLORS['primary']) # Couleur de la bordure de la boîte
),
line=dict(
color=COLORS['secondary']
),
width=1 # Contrôler la largeur des violins (0.1 à 1.0)
)
# Ajouter les meilleures joueuses par match
best_scores_with_names = scoring_data.loc[scoring_data.groupby(['Match'])['note_match_joueuse'].idxmax()][['Match', 'Prenom', 'Nom', 'note_match_joueuse']].reset_index(drop=True)
# Ajouter des points pour les meilleures notes
fig.add_trace(
go.Scatter(
x=best_scores_with_names['Match'],
y=best_scores_with_names['note_match_joueuse'],
mode='markers',
marker=dict(
color='#ffffff', # Blanc pour les meilleures notes
size=10,
line=dict(color='#384454', width=2) # Bordure noire pour plus de contraste
),
name='Meilleure joueuse par match',
showlegend=False
)
)
# Ajouter les noms des meilleures joueuses avec des annotations
for _, row in best_scores_with_names.iterrows():
fig.add_annotation(
x=row['Match'],
y=row['note_match_joueuse'],
text=row['Nom'],
showarrow=False,
yshift=30, # Déplacer le texte plus haut
font=dict(
size=12,
color='#000000',
family='Arial Black'
),
bgcolor='rgba(255, 255, 255, 0.8)', # Fond blanc semi-transparent
# bordercolor='#000000',
borderwidth=1
)
return fig |