Spaces:
Sleeping
Sleeping
File size: 9,112 Bytes
0ab0788 | 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 | from io import BytesIO
import base64
import polars as pl
import numpy as np
import datetime as dt
import matplotlib.pyplot as plt
def get_stat_column_name(stat_key: str, scale_key: str) -> str:
if stat_key == "mean":
return f"mean_all_{scale_key}"
elif stat_key == "max":
return f"max_all_{scale_key}"
elif stat_key == "mean-max":
return f"max_mean_{scale_key}"
elif stat_key == "date":
return "date_max_h" if scale_key == "mm_h" else "date_max_j"
elif stat_key == "month":
return "mois_pluvieux_h" if scale_key == "mm_h" else "mois_pluvieux_j"
elif stat_key == "numday":
return "jours_pluie_moyen"
else:
raise ValueError(f"Statistique inconnue : {stat_key}")
def get_stat_unit(stat_key: str, scale_key: str) -> str:
if stat_key in ["mean", "max", "mean-max"]:
return "mm/h" if scale_key == "mm_h" else "mm/j"
elif stat_key == "sum":
return "mm"
elif stat_key == "numday":
return "jours"
else:
return ""
def formalised_legend(df: pl.DataFrame, column_to_show: str, colormap, vmin=None, vmax=None, is_categorical=False, categories=None):
df = df.clone()
if is_categorical and categories is not None:
# Cas spécial catégoriel : ex : best_model
mapping = {cat: i for i, cat in enumerate(categories)} # s_gev=0, ns_gev_m1=1, etc.
df = df.with_columns([
pl.col(column_to_show).map_elements(lambda x: mapping.get(x, None), return_dtype=pl.Float64).alias("value_norm")
])
vals = df["value_norm"].to_numpy()
colors = (255 * np.array(colormap(vals / (len(categories) - 1)))[:, :3]).astype(np.uint8)
alpha = np.full((colors.shape[0], 1), 255, dtype=np.uint8)
rgba = np.hstack([colors, alpha])
df = df.with_columns([
pl.Series("fill_color", rgba.tolist(), dtype=pl.List(pl.UInt8)),
pl.col(column_to_show).alias("val_fmt"), # on garde le nom du modèle comme texte
pl.col("lat").round(3).cast(pl.Utf8).alias("lat_fmt"),
pl.col("lon").round(3).cast(pl.Utf8).alias("lon_fmt"),
])
return df, 0, len(categories) - 1
if column_to_show.startswith("date"):
# Conversion correcte en datetime (Polars)
df = df.with_columns(
pl.col(column_to_show).str.strptime(pl.Datetime, format="%Y-%m-%d %H:%M:%S%.6f", strict=False)
)
# Récupération min/max en datetime Python natif
min_dt = df[column_to_show].min()
max_dt = df[column_to_show].max()
if isinstance(min_dt, dt.date):
min_dt = dt.datetime.combine(min_dt, dt.time.min)
if isinstance(max_dt, dt.date):
max_dt = dt.datetime.combine(max_dt, dt.time.min)
vmin = min_dt if vmin is None else vmin
vmax = max_dt if vmax is None else vmax
# Gestion safe des timestamps sur Windows (pré-1970)
def safe_timestamp(d):
epoch = dt.datetime(1970, 1, 1)
return (d - epoch).total_seconds()
vmin_ts = safe_timestamp(vmin)
vmax_ts = safe_timestamp(vmax)
# Ajout de la colonne normalisée dans Polars
df = df.with_columns([
((pl.col(column_to_show).cast(pl.Datetime).dt.timestamp() - vmin_ts) / (vmax_ts - vmin_ts))
.clip(0.0, 1.0)
.alias("value_norm")
])
val_fmt_func = lambda x: x.strftime("%Y-%m-%d")
elif column_to_show.startswith("mois_pluvieux"):
df = df.with_columns(pl.col(column_to_show).cast(pl.Int32))
value_norm = ((df[column_to_show] - 1) / 11).clip(0.0, 1.0)
df = df.with_columns(value_norm.alias("value_norm"))
mois_labels = [
"Janvier", "Février", "Mars", "Avril", "Mai", "Juin",
"Juillet", "Août", "Septembre", "Octobre", "Novembre", "Décembre"
]
val_fmt_func = lambda x: mois_labels[int(x) - 1] if 1 <= int(x) <= 12 else "Inconnu"
vmin, vmax = 1, 12
else: # ➔ Cas général (continu)
if vmax is None:
vmax = df[column_to_show].max()
if vmax is None: # Que des NaN
return df, None, None
if vmin is None:
vmin = df[column_to_show].min()
if vmin > 0:
vmin = 0
value_norm = ((df[column_to_show] - vmin) / (vmax - vmin)).clip(0.0, 1.0)
df = df.with_columns(value_norm.alias("value_norm"))
val_fmt_func = lambda x: f"{x:.2f}"
# Application de la colormap
# Étape 1 : extraire les valeurs (en NumPy)
vals = df["value_norm"].to_numpy()
# Étape 2 : appliquer le colormap sur tout le tableau (résultat : Nx4 array RGBA)
colors = (255 * np.array(colormap(vals))[:, :3]).astype(np.uint8)
# Étape 3 : ajouter l'alpha (255)
alpha = np.full((colors.shape[0], 1), 255, dtype=np.uint8)
rgba = np.hstack([colors, alpha])
# Étape 4 : réinjecter dans Polars
fill_color = pl.Series("fill_color", rgba.tolist(), dtype=pl.List(pl.UInt8))
df = df.with_columns([
pl.Series("fill_color", fill_color),
df[column_to_show].map_elements(val_fmt_func, return_dtype=pl.String).alias("val_fmt"), # val_fmt optimisé si float
pl.col("lat").round(3).cast(pl.Utf8).alias("lat_fmt"),
pl.col("lon").round(3).cast(pl.Utf8).alias("lon_fmt")
])
return df, vmin, vmax
def display_vertical_color_legend(height, colormap, vmin, vmax, n_ticks=5, label="", model_labels=None):
if model_labels is not None:
# Si une liste de labels de modèles est fournie, on fait une légende discrète
color_boxes = ""
for idx, name in enumerate(model_labels):
rgba = colormap(idx / (len(model_labels) - 1)) # Normalisé entre 0-1
rgb = [int(255 * c) for c in rgba[:3]]
color = f"rgb({rgb[0]}, {rgb[1]}, {rgb[2]})"
color_boxes += (
f'<div style="display: flex; align-items: center; margin-bottom: 6px;">'
f' <div style="width: 18px; height: 18px; background-color: {color}; margin-right: 8px; border: 1px solid #ccc;"></div>'
f' <div style="font-size: 12px;">{name}</div>'
f'</div>'
)
html_legend = (
f'<div style="text-align: left; font-size: 13px; margin-bottom: 4px;">{label}</div>'
f'<div style="display: flex; flex-direction: column;">{color_boxes}</div>'
)
return html_legend
if isinstance(vmin, int) and isinstance(vmax, int) and (1 <= vmin <= 12) and (1 <= vmax <= 12):
mois_labels = [
"Janvier", "Février", "Mars", "Avril", "Mai", "Juin",
"Juillet", "Août", "Septembre", "Octobre", "Novembre", "Décembre"
]
color_boxes = ""
for mois in range(vmin, vmax + 1):
rgba = colormap((mois - 1) / 11)
rgb = [int(255 * c) for c in rgba[:3]]
color = f"rgb({rgb[0]}, {rgb[1]}, {rgb[2]})"
label_mois = mois_labels[mois - 1]
color_boxes += (
f'<div style="display: flex; align-items: center; margin-bottom: 4px;">'
f' <div style="width: 14px; height: 14px; background-color: {color}; '
f'border: 1px solid #ccc; margin-right: 6px;"></div>'
f' <div style="font-size: 12px;">{label_mois}</div>'
f'</div>'
)
html_mois = (
f'<div style="text-align: left; font-size: 13px; margin-bottom: 4px;">{label}</div>'
f'<div style="display: flex; flex-direction: column;">{color_boxes}</div>'
)
return html_mois
gradient = np.linspace(1, 0, 64).reshape(64, 1)
fig, ax = plt.subplots(figsize=(1, 3), dpi=30)
ax.imshow(gradient, aspect='auto', cmap=colormap)
ax.axis('off')
buf = BytesIO()
plt.savefig(buf, format="png", bbox_inches='tight', pad_inches=0, transparent=True)
plt.close(fig)
base64_img = base64.b64encode(buf.getvalue()).decode()
if isinstance(vmin, dt.datetime) and isinstance(vmax, dt.datetime):
ticks_seconds = np.linspace(vmax.timestamp(), vmin.timestamp(), n_ticks)
ticks = [dt.datetime.fromtimestamp(t).strftime("%Y-%m-%d") for t in ticks_seconds]
else:
ticks_vals = np.linspace(vmax, vmin, n_ticks)
ticks = [f"{val:.2f}" for val in ticks_vals]
html_gradient = f"""
<div style="text-align: left; font-size: 13px;">{label}</div>
<div style="display: flex; flex-direction: row; align-items: center; height: {height-30}px;">
<img src="data:image/png;base64,{base64_img}"
style="height: 100%; width: 20px; border: 1px solid #ccc; border-radius: 5px;"/>
<div style="display: flex; flex-direction: column; justify-content: space-between;
margin-left: 8px; height: 100%; font-size: 12px;">
{''.join(f'<div>{tick}</div>' for tick in ticks)}
</div>
</div>
"""
return html_gradient
|