-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy path_test.py
228 lines (189 loc) · 7.13 KB
/
_test.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
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
#
# Lists all tests.
#
# This file is part of Pints Functional Testing.
# Copyright (c) 2017-2019, University of Oxford.
# For licensing information, see the LICENSE file distributed with the Pints
# functional testing software package.
#
import os
import glob
import logging
import numpy as np
import pfunk
class FunctionalTest(object):
"""
Abstract base class for single functional tests.
"""
def __init__(self, name, writer_generator):
name = str(name)
if pfunk.NAME_FORMAT.match(name) is None:
raise ValueError('Invalid test name: ' + name)
self._name = name
self._writer_generator = writer_generator
def _analyse(self, results):
"""
This will be defined for an indiviual test. It will analyse the outputs
of a given test and determine if that test passed or failed
Args:
results -- the results from all the previously run tests (see
:meth:`pfunk.find_test_results`)
Returns:
bool -- True if test has passed, False otherwise
"""
raise NotImplementedError
def analyse(self, database):
"""
Checks if the test passed or failed
At the moment this just prints if the test has passed or failed. This
should do something more intelligent, e.g. email someone
"""
# Create logger for _global_ console/file output
log = logging.getLogger(__name__)
log.info('Running analyse: ' + self.name())
# Load test results
results = pfunk.find_test_results(self._name, database)
# Analyse
result = False
try:
result = self._analyse(results)
except Exception:
log.error('Exception in analyse: ' + self.name())
raise
finally:
if result:
log.info('Test ' + self.name() + ' has passed')
else:
log.info('Test ' + self.name() + ' has failed')
# Return
return result
def name(self):
"""
Runs this test's name.
"""
return self._name
def _plot(self, results):
"""
This will be defined for an indiviual test. It will generate a single
plot, or multiple plots for each test using the previous test results.
Args:
results -- the results from all the previously run tests (see
:meth:`pfunk.find_test_results`)
Returns:
Matplotlib Figure or Iterable of Matplotlib Figures
"""
raise NotImplementedError
def plot(self, database, show=False):
"""
Generates the plots defined for this test
All plots returned by the test are written out to a filename defined
by the test name. If ``show==True`` then the figures are also shown on
the current display.
"""
# Create logger for _global_ console/file output
log = logging.getLogger(__name__)
log.info('Running plot: ' + self.name())
# Load test results
results = pfunk.find_test_results(self._name, database)
# Plot
try:
figs = self._plot(results)
except Exception:
log.error('Exception in plot: ' + self.name())
raise
# Ensure the plots directory exists, or script will fail on fig.savefig
os.makedirs(pfunk.DIR_PLOT, exist_ok=True)
# Path for single figure (will be adapted if there's more)
path = self.name() + '.svg'
# Delete existing files
generated = []
mask = self.name() + '*.svg'
# Delete old figures
for path in glob.glob(os.path.join(pfunk.DIR_PLOT, mask)):
path = os.path.realpath(path)
if not path.startswith(pfunk.DIR_PLOT):
break
try:
os.remove(path)
log.info('Removed old plot: ' + path)
except IOError:
log.info('Removal of old plot failed: ' + path)
# Store
try:
# Assume that the user returns an iterable object containing
# figures
for i, fig in enumerate(figs):
plot_path = pfunk.unique_path(
os.path.join(pfunk.DIR_PLOT, path))
log.info('Storing plot: ' + plot_path)
fig.savefig(plot_path)
generated.append(plot_path)
except TypeError:
# If not, then assume that the user returns a single figure
plot_path = pfunk.unique_path(os.path.join(pfunk.DIR_PLOT, path))
log.info('Storing plot: ' + plot_path)
figs.savefig(plot_path)
generated.append(plot_path)
# Close all figures
import matplotlib.pyplot as plt
if show:
plt.show()
plt.close('all')
def _run(self, result_writer):
"""
This will be defined for an individual test. It will run the test,
store any test results using ``result_writer``.
Args:
result_writer -- the test can use this to write any test outputs as
``result_writer[output_name] = output_value``
"""
raise NotImplementedError
def run(self, path, run_number):
"""
Runs this test and logs the output.
"""
# Log status
log = logging.getLogger(__name__)
log.info(f'Running test: {self._name} run {run_number}')
# Seed numpy random generator, so that we know the value
max_uint32 = np.iinfo(np.uint32).max
seed = int(np.mod(
np.random.randint(max_uint32) + run_number, max_uint32
))
np.random.seed(seed)
# Create test name
date = pfunk.date()
name = self.name()
# Store an identifier to the result writer's output, so we don't have
# to hold onto it while running the (potentially very long) test
results_id = None
# Create result writer
with self._writer_generator(name, date, path) as w:
w['status'] = 'uninitialised'
w['date'] = date
w['name'] = name
w['python'] = pfunk.PYTHON_VERSION
w['pints'] = pfunk.PINTS_VERSION
w['pints_commit'] = pfunk.PINTS_COMMIT
w['pints_authored_date'] = pfunk.PINTS_COMMIT_AUTHORED
w['pints_committed_date'] = pfunk.PINTS_COMMIT_COMMITTED
w['pints_commit_msg'] = pfunk.PINTS_COMMIT_MESSAGE
w['pfunk_commit'] = pfunk.PFUNK_COMMIT
w['pfunk_authored_date'] = pfunk.PFUNK_COMMIT_AUTHORED
w['pfunk_committed_date'] = pfunk.PFUNK_COMMIT_COMMITTED
w['pfunk_commit_msg'] = pfunk.PFUNK_COMMIT_MESSAGE
w['seed'] = seed
results_id = w.row_id()
# Run test
results = {}
try:
self._run(results)
except Exception:
log.error('Exception in test: ' + self.name())
results['status'] = 'failed'
raise
finally:
log.info('Writing result to ' + path)
with self._writer_generator(name, date, path, results_id) as w:
for k in results.keys():
w[k] = results[k]