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
|
# type: ignore
# ruff: noqa: UP007
"""
This is a fork of https://github.com/anazalea/pySankey/blob/master/pysankey/sankey.py.
We've had some problems with the plot, mostly related to resizing (likely, I don't remember now).
This code should fix the problems and should be used to produce figures in the relevant sec-certs papers.
"""
import logging
import warnings
from collections import defaultdict
from typing import Any, Union
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
import seaborn as sns
from numpy import float64, ndarray
from pandas.core.frame import DataFrame
from pandas.core.series import Series
class PySankeyException(Exception):
"""Generic PySankey Exception."""
class NullsInFrame(PySankeyException):
pass
class LabelMismatch(PySankeyException):
pass
LOGGER = logging.getLogger(__name__)
def check_data_matches_labels(labels: Union[list[str], set[str]], data: Series, side: str) -> None:
"""Check whether data matches labels.
Raise a LabelMismatch Exception if not."""
if len(labels) > 0:
if isinstance(data, list):
data = set(data)
if isinstance(data, pd.Series):
data = set(data.unique().tolist())
if isinstance(labels, list):
labels = set(labels)
if labels != data:
msg = "\n"
if len(labels) <= 20:
msg = "Labels: " + ",".join(labels) + "\n"
if len(data) < 20:
msg += "Data: " + ",".join(data)
raise LabelMismatch(f"{side} labels and data do not match.{msg}")
def sankey(
left: Union[list, ndarray, Series],
right: Union[ndarray, Series],
leftWeight: ndarray | None = None,
rightWeight: ndarray | None = None,
colorDict: dict[str, str] | None = None,
leftLabels: list[str] | None = None,
rightLabels: list[str] | None = None,
aspect: int = 4,
rightColor: bool = False,
fontsize: int = 14,
figureName: str | None = None,
closePlot: bool = False,
figSize: tuple[int, int] | None = None,
ax: Any | None = None,
) -> Any:
"""
Make Sankey Diagram showing flow from left-->right
Inputs:
left = NumPy array of object labels on the left of the diagram
right = NumPy array of corresponding labels on the right of the diagram
len(right) == len(left)
leftWeight = NumPy array of weights for each strip starting from the
left of the diagram, if not specified 1 is assigned
rightWeight = NumPy array of weights for each strip starting from the
right of the diagram, if not specified the corresponding leftWeight
is assigned
colorDict = Dictionary of colors to use for each label
{'label':'color'}
leftLabels = order of the left labels in the diagram
rightLabels = order of the right labels in the diagram
aspect = vertical extent of the diagram in units of horizontal extent
rightColor = If true, each strip in the diagram will be be colored
according to its left label
figSize = tuple setting the width and height of the sankey diagram.
Defaults to current figure size
ax = optional, matplotlib axes to plot on, otherwise uses current axes.
Output:
ax : matplotlib Axes
"""
ax, leftLabels, leftWeight, rightLabels, rightWeight = init_values(
ax,
closePlot,
figSize,
figureName,
left,
leftLabels,
leftWeight,
rightLabels,
rightWeight,
)
plt.rc("text", usetex=False)
plt.rc("font", family="serif")
data_frame = _create_dataframe(left, leftWeight, right, rightWeight)
# Identify all labels that appear 'left' or 'right'
all_labels = pd.Series(np.r_[data_frame.left.unique(), data_frame.right.unique()]).unique()
LOGGER.debug("Labels to handle : %s", all_labels)
leftLabels, rightLabels = identify_labels(data_frame, leftLabels, rightLabels)
colorDict = create_colors(all_labels, colorDict) # type: ignore
ns_l, ns_r = determine_widths(data_frame, leftLabels, rightLabels)
# Determine positions of left label patches and total widths
leftWidths, topEdge = _get_positions_and_total_widths(data_frame, leftLabels, "left")
# Determine positions of right label patches and total widths
rightWidths, topEdge = _get_positions_and_total_widths(data_frame, rightLabels, "right")
# Total vertical extent of diagram
xMax = topEdge / aspect
draw_vertical_bars(
ax,
colorDict, # type: ignore
fontsize,
leftLabels,
leftWidths,
rightLabels,
rightWidths,
xMax, # type: ignore
)
plot_strips(
ax,
colorDict, # type: ignore
data_frame,
leftLabels,
leftWidths,
ns_l,
ns_r,
rightColor,
rightLabels,
rightWidths,
xMax,
)
if figSize is not None:
plt.gcf().set_size_inches(figSize)
save_image(figureName)
if closePlot:
plt.close()
return ax
def save_image(figureName: str | None) -> None:
if figureName is not None:
file_name = f"{figureName}.png"
plt.savefig(file_name, bbox_inches="tight", dpi=150)
LOGGER.info("Sankey diagram generated in '%s'", file_name)
def identify_labels(dataFrame: DataFrame, leftLabels: list[str], rightLabels: list[str]) -> tuple[ndarray, ndarray]:
# Identify left labels
if len(leftLabels) == 0:
leftLabels = pd.Series(dataFrame.left.unique()).unique()
else:
check_data_matches_labels(leftLabels, dataFrame["left"], "left")
# Identify right labels
if len(rightLabels) == 0:
rightLabels = pd.Series(dataFrame.right.unique()).unique()
else:
check_data_matches_labels(rightLabels, dataFrame["right"], "right")
return leftLabels, rightLabels
def init_values(
ax: Any | None,
closePlot: bool,
figSize: tuple[int, int] | None,
figureName: str | None,
left: Union[list, ndarray, Series],
leftLabels: list[str] | None,
leftWeight: ndarray | None,
rightLabels: list[str] | None,
rightWeight: ndarray | None,
) -> tuple[Any, list[str], ndarray, list[str], ndarray]:
deprecation_warnings(closePlot, figSize, figureName)
if ax is None:
ax = plt.gca()
if leftWeight is None:
leftWeight = []
if rightWeight is None:
rightWeight = []
if leftLabels is None:
leftLabels = []
if rightLabels is None:
rightLabels = []
# Check weights
if len(leftWeight) == 0:
leftWeight = np.ones(len(left))
if len(rightWeight) == 0:
rightWeight = leftWeight
return ax, leftLabels, leftWeight, rightLabels, rightWeight
def deprecation_warnings(closePlot: bool, figSize: tuple[int, int] | None, figureName: str | None) -> None:
warn = []
if figureName is not None:
msg = "use of figureName in sankey() is deprecated"
warnings.warn(msg, DeprecationWarning)
warn.append(msg[7:-14])
if closePlot is not False:
msg = "use of closePlot in sankey() is deprecated"
warnings.warn(msg, DeprecationWarning)
warn.append(msg[7:-14])
if figSize is not None:
msg = "use of figSize in sankey() is deprecated"
warnings.warn(msg, DeprecationWarning)
warn.append(msg[7:-14])
if warn:
LOGGER.warning(
" The following arguments are deprecated and should be removed: %s",
", ".join(warn),
)
def determine_widths(dataFrame: DataFrame, leftLabels: ndarray, rightLabels: ndarray) -> tuple[dict, dict]:
# Determine widths of individual strips
ns_l: dict = defaultdict()
ns_r: dict = defaultdict()
for leftLabel in leftLabels:
left_dict = {}
right_dict = {}
for rightLabel in rightLabels:
left_dict[rightLabel] = dataFrame[
(dataFrame.left == leftLabel) & (dataFrame.right == rightLabel)
].leftWeight.sum()
right_dict[rightLabel] = dataFrame[
(dataFrame.left == leftLabel) & (dataFrame.right == rightLabel)
].rightWeight.sum()
ns_l[leftLabel] = left_dict
ns_r[leftLabel] = right_dict
return ns_l, ns_r
def draw_vertical_bars(
ax: Any,
colorDict: Union[dict[str, tuple[float, float, float]], dict[str, str]],
fontsize: int,
leftLabels: ndarray,
leftWidths: dict,
rightLabels: ndarray,
rightWidths: dict,
xMax: float64,
) -> None:
# Draw vertical bars on left and right of each label's section & print label
for leftLabel in leftLabels:
ax.fill_between(
[-0.02 * xMax, 0],
2 * [leftWidths[leftLabel]["bottom"]],
2 * [leftWidths[leftLabel]["bottom"] + leftWidths[leftLabel]["left"]],
color=colorDict[leftLabel],
alpha=0.99,
)
ax.text(
-0.05 * xMax,
leftWidths[leftLabel]["bottom"] + 0.5 * leftWidths[leftLabel]["left"],
leftLabel,
{"ha": "right", "va": "center"},
fontsize=fontsize,
)
for rightLabel in rightLabels:
ax.fill_between(
[xMax, 1.02 * xMax],
2 * [rightWidths[rightLabel]["bottom"]],
2 * [rightWidths[rightLabel]["bottom"] + rightWidths[rightLabel]["right"]],
color=colorDict[rightLabel],
alpha=0.99,
)
ax.text(
1.05 * xMax,
rightWidths[rightLabel]["bottom"] + 0.5 * rightWidths[rightLabel]["right"],
rightLabel,
{"ha": "left", "va": "center"},
fontsize=fontsize,
)
def create_colors(
allLabels: ndarray, colorDict: dict[str, str] | None
) -> Union[dict[str, tuple[float, float, float]], dict[str, str]]:
# If no colorDict given, make one
if colorDict is None:
colorDict = {}
palette = "hls"
colorPalette = sns.color_palette(palette, len(allLabels))
for i, label in enumerate(allLabels):
colorDict[label] = colorPalette[i]
else:
missing = [label for label in allLabels if label not in colorDict]
if missing:
raise ValueError(
"The colorDict parameter is missing values for the following labels : " + ", ".join(missing)
)
LOGGER.debug("The colordict value are : %s", colorDict)
return colorDict
def _create_dataframe(
left: Union[list, ndarray, Series],
leftWeight: Union[ndarray, Series],
right: Union[ndarray, Series],
rightWeight: Union[ndarray, Series],
) -> DataFrame:
# Create Dataframe
if isinstance(left, pd.Series):
left = left.reset_index(drop=True)
if isinstance(right, pd.Series):
right = right.reset_index(drop=True)
if isinstance(leftWeight, pd.Series):
leftWeight = leftWeight.reset_index(drop=True)
if isinstance(rightWeight, pd.Series):
rightWeight = rightWeight.reset_index(drop=True)
data_frame = pd.DataFrame(
{
"left": left,
"right": right,
"leftWeight": leftWeight,
"rightWeight": rightWeight,
},
index=range(len(left)),
)
if len(data_frame[(data_frame.left.isnull()) | (data_frame.right.isnull())]):
raise NullsInFrame("Sankey graph does not support null values.")
return data_frame
def plot_strips(
ax: Any,
colorDict: Union[dict[str, tuple[float, float, float]], dict[str, str]],
dataFrame: DataFrame,
leftLabels: ndarray,
leftWidths: dict,
ns_l: dict,
ns_r: dict,
rightColor: bool,
rightLabels: ndarray,
rightWidths: dict,
xMax: float64,
) -> None:
# Plot strips
for leftLabel in leftLabels:
for rightLabel in rightLabels:
label_color = leftLabel
if rightColor:
label_color = rightLabel
if len(dataFrame[(dataFrame.left == leftLabel) & (dataFrame.right == rightLabel)]) > 0:
# Create array of y values for each strip, half at left value,
# half at right, convolve
ys_d = np.array(50 * [leftWidths[leftLabel]["bottom"]] + 50 * [rightWidths[rightLabel]["bottom"]])
ys_d = np.convolve(ys_d, 0.05 * np.ones(20), mode="valid")
ys_d = np.convolve(ys_d, 0.05 * np.ones(20), mode="valid")
ys_u = np.array(
50 * [leftWidths[leftLabel]["bottom"] + ns_l[leftLabel][rightLabel]]
+ 50 * [rightWidths[rightLabel]["bottom"] + ns_r[leftLabel][rightLabel]]
)
ys_u = np.convolve(ys_u, 0.05 * np.ones(20), mode="valid")
ys_u = np.convolve(ys_u, 0.05 * np.ones(20), mode="valid")
# Update bottom edges at each label so next strip starts at the
# right place
leftWidths[leftLabel]["bottom"] += ns_l[leftLabel][rightLabel]
rightWidths[rightLabel]["bottom"] += ns_r[leftLabel][rightLabel]
ax.fill_between(
np.linspace(0, xMax, len(ys_d)),
ys_d,
ys_u,
alpha=0.65,
color=colorDict[label_color],
)
ax.axis("off")
def _get_positions_and_total_widths(df: DataFrame, labels: ndarray, side: str) -> tuple[dict, float64]:
"""Determine positions of label patches and total widths"""
widths: dict = defaultdict()
for i, label in enumerate(labels):
label_widths = {}
label_widths[side] = df[df[side] == label][side + "Weight"].sum()
if i == 0:
label_widths["bottom"] = 0
label_widths["top"] = label_widths[side]
else:
bottom_width = widths[labels[i - 1]]["top"]
weighted_sum = 0.05 * df[side + "Weight"].sum()
label_widths["bottom"] = bottom_width + weighted_sum
label_widths["top"] = label_widths["bottom"] + label_widths[side]
topEdge = label_widths["top"]
widths[label] = label_widths
LOGGER.debug("%s position of '%s' : %s", side, label, label_widths)
return widths, topEdge
|