-
Notifications
You must be signed in to change notification settings - Fork 2
/
plot.py
143 lines (110 loc) · 4.97 KB
/
plot.py
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
#!/usr/bin/env python3.6
import argparse
from typing import List
from pathlib import Path
import numpy as np
import matplotlib
matplotlib.use("Agg")
import matplotlib.pyplot as plt
from scipy.interpolate import spline
from utils import map_, colors as util_colors
def run(args: argparse.Namespace) -> None:
plt.rc('font', size=args.fontsize)
colors: List[str] = args.colors if args.colors else util_colors
styles = ['--', '-.', ':']
assert len(args.folders) <= len(colors)
assert len(args.columns) <= len(styles)
paths: List[Path] = [Path(f, args.filename) for f in args.folders]
arrays: List[np.ndarray] = map_(np.load, paths)
if len(arrays[0].shape) == 2:
arrays = map_(lambda a: a[..., np.newaxis], arrays)
epoch, _, class_ = arrays[0].shape
for a in arrays[1:]:
ea, _, ca = a.shape
assert epoch == ea and class_ == ca, (epoch, class_, a.shape)
n_epoch = arrays[0].shape[0]
fig = plt.figure(figsize=args.figsize)
ax = fig.gca()
ax.set_ylim(args.ylim)
ax.set_xlim([0, n_epoch - 2])
ax.set_yticks(np.mgrid[0:1.1:.1])
ax.set_xlabel("Epoch")
if args.ylabel:
ax.set_ylabel(args.ylabel)
else:
ax.set_ylabel(Path(args.filename).stem)
ax.grid(True, axis='y')
if args.title:
ax.set_title(args.title)
else:
ax.set_title(f"{paths[0].stem} over epochs")
if args.labels:
labels = args.labels
else:
labels = [p.parent.name for p in paths]
xnew = np.linspace(0, n_epoch, n_epoch * 4)
epcs = np.arange(n_epoch)
for i, (a, c, p, l) in enumerate(zip(arrays, colors, paths, labels)):
mean_a = a.mean(axis=1)
if len(args.columns) > 1 and not args.no_mean:
mean_column = mean_a[:, args.columns].mean(axis=1)
ax.plot(epcs, mean_column, color=c, linestyle='-', label=f"{l}-mean", linewidth=2)
for k, s in zip(args.columns, styles):
values = mean_a[..., k]
if args.smooth:
smoothed = spline(epcs, values, xnew)
x, y = xnew, smoothed
else:
x, y = epcs, values
lab = l if len(args.columns) == 1 else f"{l}-{k}"
sty: str
if len(args.columns) == 1:
if args.curves_styles:
sty = args.curves_styles[i][1:] # Have to remove the extra space
else:
sty = '-'
else:
sty = s
ax.plot(x, y, linestyle=sty, color=c, label=lab, linewidth=1.5)
if args.min:
print(f"{Path(p).parents[0]}, class {k}: {values.min():.04f}")
else:
print(f"{Path(p).parents[0]}, class {k}: {values.max():.04f}")
if args.hline:
for v, l, s in zip(args.hline, args.l_line, styles):
ax.plot([0, n_epoch], [v, v], linestyle=s, linewidth=1, color='green', label=l)
ax.legend(loc=args.loc)
fig.tight_layout()
if args.savefig:
fig.savefig(args.savefig)
if not args.headless:
plt.show()
def get_args() -> argparse.Namespace:
parser = argparse.ArgumentParser(description='Plot data over time')
parser.add_argument('--folders', type=str, required=True, nargs='+', help="The folders containing the file")
parser.add_argument('--filename', type=str, required=True)
parser.add_argument("--headless", action="store_true")
parser.add_argument("--smooth", action="store_true")
parser.add_argument("--min", action="store_true", help="Display the min of each file instead of maximum")
parser.add_argument("--debug", action="store_true", help="Dummy for compatibility")
parser.add_argument("--no_mean", action="store_true", help="Don't plot the mean line")
parser.add_argument("--savefig", type=str, default=None)
parser.add_argument('--columns', type=int, nargs='+', default=0, help="Which columns of the third axis to plot")
parser.add_argument("--hline", type=float, nargs='*')
parser.add_argument("--ylim", type=float, nargs=2, default=[0, 1])
parser.add_argument("--l_line", type=str, nargs='*')
parser.add_argument("--title", type=str, default='')
parser.add_argument("--ylabel", type=str, default='')
parser.add_argument("--labels", type=str, nargs='*')
parser.add_argument("--colors", type=str, nargs='*')
parser.add_argument("--figsize", type=int, nargs='*', default=[14, 9])
parser.add_argument("--fontsize", type=int, default=10)
parser.add_argument("--curves_styles", type=str, nargs='*', choices=[' -', ' --', ' -.', ' :'],
help="Careful: put an extra space at the beginning of the street, to avoid a parsing error.")
parser.add_argument("--loc", type=str, default=None, choices=matplotlib.legend.Legend.codes.copy())
parser.add_argument("--epc", type=int, help="Dummy to maintain call compatibility with hist.py and moustache.py")
args = parser.parse_args()
print(args)
return args
if __name__ == "__main__":
run(get_args())