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
|
#!/usr/bin/env python
# encoding: utf-8
"""
run_tests.py
Created by Graham Dennis on 2008-06-15.
Copyright (c) 2008-2012, Graham Dennis
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
"""
import xpdeint.Python24Support
import os
import re
import sys
import getopt
import shutil
import hashlib
import unittest
import subprocess
from xml.dom import minidom
import xpdeint.minidom_extras
from xpdeint import CodeParser
from xpdeint.XSILFile import XSILFile
import numpy
help_message = '''
The help message goes here.
'''
class Usage(Exception):
def __init__(self, msg):
self.msg = msg
def pass_nan_test(array1, array2):
"""Return `True` if isNaN(`array1`) == isNaN(`array2`)"""
# NaN test. array2 is allowed to be NaN at an index if array1 is also NaN there.
nanTestPassed = numpy.equal(numpy.isnan(array1), numpy.isnan(array2)).all()
return nanTestPassed
def array_approx_equal(array1, array2, absTol, relTol):
"""Return `True` if all of (`array1` - `array2`) <= `absTol` or (`array1` - `array2`) <= `relTol` * `array2`"""
diff = array1-array2
# NaN values would fail this test. So we have to exclude them. But only exclude them if array2 (the expected results)
# have a NaN
return numpy.logical_or(numpy.logical_or(numpy.abs(diff) <= 0.5 * relTol * (numpy.abs(array2) + numpy.abs(array1)), numpy.abs(diff) <= absTol), numpy.isnan(array2)).all()
def scriptTestingFunction(root, scriptName, testDir, absPath, self):
if not os.path.exists(testDir):
os.makedirs(testDir)
proc = subprocess.Popen('xmds2 --no-version ' + absPath,
shell=True,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
cwd=testDir)
(stdout, stderr) = proc.communicate()
returnCode = proc.wait()
message = ''.join(["\n%(handleName)s:\n%(content)s" % locals() for handleName, content in [('stdout', stdout), ('stderr', stderr)] if content])
# A few tests require XMDS1. If XMDS1 isn't present we should just
# skip that test rather than failing.
# The skip functionality for the unittest class is only available
# in python 2.7 and later, so check for that too.
if returnCode != 0 and sys.version_info[:2] >= (2, 7):
if re.search(r'^The missing \w+ feature\(s\) were: .*xmds.*', message, re.MULTILINE):
self.skipTest("Skipping test as XMDS1 is required and not installed")
# A few tests require specific features. If it isn't available, skip the test
# rather than failing.
# The skip functionality for the unittest class is only available
# in python 2.7 and later, so check for that too.
if returnCode != 0 and sys.version_info[:2] >= (2, 7):
if re.search(r'^The missing \w+ feature\(s\) were:', message, re.MULTILINE):
self.skipTest("Skipping test as feature required is not installed")
self.assert_(returnCode == 0, ("Failed to compile." % locals()) + message)
xmlDocument = minidom.parse(absPath)
simulationElement = xmlDocument.getChildElementByTagName('simulation')
nameElement = simulationElement.getChildElementByTagName('name')
testingElement = simulationElement.getChildElementByTagName('testing')
simulationName = nameElement.innerText()
# If the source is the same as the last known good, then we don't need to compile or execute the simulation.
sourceFilePath = os.path.join(testDir, simulationName + '.cc')
checksumFilePath = os.path.join(testDir, simulationName + '_last_known_good.checksum')
sourceContents = file(sourceFilePath).read()
h = hashlib.sha1()
h.update(sourceContents)
currentChecksum = h.hexdigest()
if os.path.exists(checksumFilePath):
lastKnownGoodChecksum = file(checksumFilePath).read()
if lastKnownGoodChecksum == currentChecksum:
# The checksums check out, so we don't need to go any further
return
# Now we have compiled, we need to copy any input data needed and then run the simulation
inputXSILElements = testingElement.getChildElementsByTagName('input_xsil_file', optional=True)
filesToCopy = []
for inputXSILElement in inputXSILElements:
name = inputXSILElement.getAttribute('name').strip()
filesToCopy.append(name)
inputXSILFile = XSILFile(os.path.join(os.path.split(absPath)[0], name), loadData=False)
filesToCopy.extend([os.path.join(os.path.split(name)[0], xsil.data.filename) for xsil in inputXSILFile.xsilObjects if hasattr(xsil.data, 'filename')])
for fileToCopy in filesToCopy:
sourceFile = os.path.join(os.path.split(absPath)[0], fileToCopy)
shutil.copy(sourceFile, testDir)
# Allow command-line arguments to be specified for the simulation
commandLineElement = testingElement.getChildElementByTagName('command_line', optional=True)
argumentsElement = testingElement.getChildElementByTagName('arguments', optional=True)
commandLineString = './' + simulationName
if commandLineElement:
# The command line element overrides the prefix
commandLineString = commandLineElement.innerText().strip()
if argumentsElement:
commandLineString += ' ' + argumentsElement.innerText().strip()
simulationProc = subprocess.Popen(commandLineString,
shell=True,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
cwd=testDir)
(stdout, stderr) = simulationProc.communicate()
returnCode = simulationProc.wait()
self.assert_(returnCode == 0, "Failed to execute compiled simulation correctly." % locals())
# The next thing to check is that the generated data agrees with the expected data to within the set error margins.
xsilFileElements = testingElement.getChildElementsByTagName('xsil_file', optional=True)
for xsilFileElement in xsilFileElements:
sourceFile = xsilFileElement.getAttribute('name').strip()
expectedResultsFile = xsilFileElement.getAttribute('expected').strip()
# Defaults
absoluteTolerance = 0
relativeTolerance = 1e-9
if xsilFileElement.hasAttribute('absolute_tolerance'):
absoluteTolerance = float(xsilFileElement.getAttribute('absolute_tolerance'))
if xsilFileElement.hasAttribute('relative_tolerance'):
relativeTolerance = float(xsilFileElement.getAttribute('relative_tolerance'))
resultsFullPath = os.path.join(testDir, sourceFile)
results = XSILFile(resultsFullPath)
expectedResultsFullPath = os.path.join(os.path.split(absPath)[0], expectedResultsFile)
if not os.path.exists(expectedResultsFullPath):
print >> sys.stderr, "Expected results file '%(expectedResultsFile)s' missing. Using current. " % locals()
# If there are any NaN's in the results, issue a warning.
for mgNum, o in enumerate(results.xsilObjects):
for v in o.independentVariables:
if numpy.isnan(v['array']).any():
print >> sys.stderr, "Warning: Coordinate '%s' in moment group %i of file '%s' contains a NaN." % (v['name'], mgNum+1, sourceFile)
for v in o.dependentVariables:
if numpy.isnan(v['array']).any():
print >> sys.stderr, "Warning: Dependent variable '%s' in moment group %i of file '%s' contains a NaN." % (v['name'], mgNum+1, sourceFile)
resultsFileContents = file(resultsFullPath).read()
for xsilObject in results.xsilObjects:
if hasattr(xsilObject.data, 'filename'):
# If the moment group has a data file name, then we need to copy it to the expected results file
newDataFilename = xsilObject.data.filename.replace(os.path.splitext(sourceFile)[0], os.path.splitext(expectedResultsFile)[0], 1)
resultsFileContents = resultsFileContents.replace(xsilObject.data.filename, newDataFilename)
shutil.copyfile(os.path.join(testDir, xsilObject.data.filename),
os.path.join(os.path.split(absPath)[0], newDataFilename))
file(expectedResultsFullPath, 'w').write(resultsFileContents)
else:
expectedResults = XSILFile(expectedResultsFullPath)
self.assert_(len(results.xsilObjects) == len(expectedResults.xsilObjects))
momentGroupElements = xsilFileElement.getChildElementsByTagName('moment_group', optional=True)
if momentGroupElements:
self.assert_(len(momentGroupElements) == len(results.xsilObjects))
else:
momentGroupElements = [None]*len(results.xsilObjects)
for mgNum, (o1, o2, mgElem) in enumerate(zip(results.xsilObjects, expectedResults.xsilObjects, momentGroupElements)):
currentAbsoluteTolerance = absoluteTolerance
currentRelativeTolerance = relativeTolerance
self.assert_(len(o1.independentVariables) == len(o2.independentVariables),
"The number of independent variables in moment group %(mgNum)i doesn't match." % locals())
self.assert_(len(o1.dependentVariables) == len(o2.dependentVariables),
"The number of dependent variables in moment group %(mgNum)i doesn't match." % locals())
if mgElem:
if mgElem.hasAttribute('absolute_tolerance'):
currentAbsoluteTolerance = float(mgElem.getAttribute('absolute_tolerance'))
if mgElem.hasAttribute('relative_tolerance'):
currentRelativeTolerance = float(mgElem.getAttribute('relative_tolerance'))
self.assert_(currentAbsoluteTolerance != None and currentRelativeTolerance != None, "An absolute and a relative tolerance must be specified.")
for v1, v2 in zip(o1.independentVariables, o2.independentVariables):
self.assert_(v1['name'] == v2['name'])
self.assert_(v1['length'] == v2['length'])
# These are the coordinates, we just specify a constant absolute and relative tolerance.
# No-one should need to change these
self.assert_(array_approx_equal(v1['array'], v2['array'], 1e-7, 1e-6),
"Coordinate '%s' in moment group %i of file '%s' didn't pass tolerance criteria." % (v1['name'], mgNum+1, sourceFile))
for v1, v2 in zip(o1.dependentVariables, o2.dependentVariables):
self.assert_(v1['name'] == v2['name'])
self.assert_(pass_nan_test(v1['array'], v2['array']),
"Dependent variable '%s' in moment group %i of file '%s' had a NaN where the expected results didn't (or vice-versa)." % (v1['name'], mgNum+1, sourceFile))
self.assert_(array_approx_equal(v1['array'], v2['array'], currentAbsoluteTolerance, currentRelativeTolerance),
"Dependent variable '%s' in moment group %i of file '%s' failed to pass tolerance criteria." % (v1['name'], mgNum+1, sourceFile))
# Test has succeeded, so save our checksum for the source file and copy the source file
file(checksumFilePath, 'w').write(currentChecksum)
lastKnownGoodSourcePath = os.path.join(testDir, simulationName + '_last_known_good.cc')
file(lastKnownGoodSourcePath, 'w').write(sourceContents)
def partial(func, *args, **keywords):
def newfunc(*fargs, **fkeywords):
newkeywords = keywords.copy()
newkeywords.update(fkeywords)
return func(*(args + fargs), **newkeywords)
return newfunc
def main(argv=None):
if argv is None:
argv = sys.argv
try:
try:
opts, args = getopt.getopt(argv[1:], "ho:v", ["help", "output="])
except getopt.error, msg:
raise Usage(msg)
# option processing
for option, value in opts:
if option == "-v":
verbose = True
if option in ("-h", "--help"):
raise Usage(help_message)
if option in ("-o", "--output"):
output = value
except Usage, err:
print >> sys.stderr, sys.argv[0].split("/")[-1] + ": " + str(err.msg)
print >> sys.stderr, "\t for help use --help"
return 2
basePath = os.path.dirname(__file__)
resultsPath = os.path.join(basePath, 'testsuite_results')
if not os.path.exists(resultsPath):
os.mkdir(resultsPath)
resultsPath = os.path.abspath(resultsPath)
print "Saving test results in %(resultsPath)s" % locals()
testsuites = {}
baseSuiteName = 'testsuite'
baseSuitePath = os.path.join(basePath, baseSuiteName)
for root, dirs, files in os.walk(baseSuitePath):
# First remove directories we don't want to traverse
for dirName in ['.svn']:
if dirName in dirs:
dirs.remove(dirName)
# Remove the 'testsuite/' part of the path
dirRelativeToBase = root[(len(baseSuitePath)+1):]
if dirRelativeToBase:
testSuiteName = os.path.join(baseSuiteName, dirRelativeToBase)
else:
testSuiteName = baseSuiteName
# If we have .xmds files in this path, then create a TestCase subclass
xmdsTestScripts = [filename for filename in files if os.path.splitext(filename)[1].lower() == '.xmds']
if xmdsTestScripts:
class ScriptTestCase(unittest.TestCase):
# Create test functions for each test script using 'scriptTestingFunction'
# These test function names are of the form 'test_ScriptName'
for scriptName in xmdsTestScripts:
prefix = os.path.splitext(scriptName)[0]
absPath = os.path.abspath(os.path.join(root, scriptName))
testDir = os.path.join(resultsPath, dirRelativeToBase)
locals()['test_' + prefix] = partial(scriptTestingFunction, root, scriptName, testDir, absPath)
locals()['test_' + prefix].__doc__ = os.path.join(dirRelativeToBase, scriptName)
# Create a TestSuite from that class
suite = unittest.defaultTestLoader.loadTestsFromTestCase(ScriptTestCase)
testsuites[testSuiteName] = suite
if not testSuiteName in testsuites:
testsuites[testSuiteName] = unittest.TestSuite()
suite = testsuites[testSuiteName]
# Add our TestSuite as a sub-suite of all parent suites
head = testSuiteName
while True:
head, tail = os.path.split(head)
if not head or not tail:
break
testsuites[head].addTest(suite)
suitesToRun = list()
if len(args):
for suiteName in args:
fullSuiteName = os.path.join(baseSuiteName, suiteName)
if fullSuiteName in testsuites:
suitesToRun.append(testsuites[fullSuiteName])
else:
print >> sys.stderr, "Unable to find test '%(suiteName)s'" % locals()
else:
suitesToRun.append(testsuites[baseSuiteName])
suitesToRun.append(unittest.defaultTestLoader.loadTestsFromModule(CodeParser))
fullSuite = unittest.TestSuite(tests=suitesToRun)
return not unittest.TextTestRunner().run(fullSuite).wasSuccessful()
if __name__ == "__main__":
sys.exit(main())
|