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 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503
|
#!/usr/bin/env python3
from __future__ import print_function
import os
import subprocess
import re
import shlex
import pathlib
from collections import defaultdict
def indent(n,s):
space = ' '*n
s = space + s
s = re.sub(r'\n', '\n'+space, s)
return s
def debug(m):
sys.stderr.write('DEBUG: ')
sys.stderr.write(m)
sys.stderr.write('\n')
def error(m):
sys.stderr.write('ERROR: ')
sys.stderr.write(m)
sys.stderr.write('\n')
def get_precision(x):
import re
import math
numeric_decimal_pattern = r"""
[-+]? # optional sign
(?:
(?: \d* \. (\d+) ) # .1 .12 .123 etc 9.1 etc 98.1 etc
|
(?: \d+ \.? ) # 1. 12. 123. etc 1 12 123 etc
)
# followed by optional exponent part if desired
(?: [Ee] [+-]? (\d+) ) ?
"""
rx = re.compile(numeric_decimal_pattern, re.VERBOSE)
m = re.match(rx, x)
if m:
dec = m.group(1)
exp = m.group(2)
if dec:
dec = len(dec)
else:
dec = 0
if exp:
exp = int(exp)
else:
exp = 0
prec = exp - dec
# we need to account for rounding error here
return math.pow(10,prec)*1.1
else:
raise ValueError("'{}' is not a number! Cannot get precision.".format(x))
class Program(object):
def __init__(self,cmd):
self.cmd = cmd
self.name = cmd[0]
self.exec_file = False
self.likelihood_regex = r".*likelihood[ \t]*=[ \t]*([^ \t]+).*"
self.extra_args = []
def prefix(self):
return "{}-".format(self.name)
def control_file(self):
return "{}command.txt".format(self.prefix())
def cmdline(self, tester, test_subdir):
test_dir = tester.dir_for_test(test_subdir)
args_filename = os.path.join(test_dir,self.control_file())
if self.exec_file:
return self.cmd + self.extra_args + [args_filename]
else:
args = open(args_filename,'r').read()
return self.cmd + shlex.split(args) + self.extra_args
def stdin(self, tester, test_subdir):
return ""
def read_obtained_likelihood_(self, tester, test_subdir, pat, filename='output'):
import re
obtained_output = tester.read_obtained(test_subdir, filename)
for line in obtained_output.splitlines():
m = re.match(pat, line)
if m:
return m.group(1)
return None
def read_obtained_likelihood(self, tester, test_subdir):
return self.read_obtained_likelihood_(tester, test_subdir, self.likelihood_regex)
class RevBayes(Program):
def __init__(self, cmd):
Program.__init__(self,cmd)
self.name = "revbayes"
self.exec_file = True
self.likelihood_regex = r".*likelihood =[ \t]+([^ \t]+)( .*|$)"
self.extra_args = ['--setOption','outputPrecision=17']
def control_file(self):
return "rb-command.Rev"
class Paup(Program):
def __init__(self, cmd):
Program.__init__(self,cmd)
self.name = "paup"
self.exec_file = True
def control_file(self):
return "paup-command.nex"
def read_obtained_likelihood(self, tester, test_subdir):
likelihood = Program.read_obtained_likelihood_(self, tester, test_subdir, r"-ln L *([^ \t]+).*")
if likelihood is not None:
likelihood = "-"+likelihood
return likelihood
def splitCmd(cmd):
for i in range(0,len(cmd)):
if cmd[i].startswith('-'):
return (cmd[0:i],cmd[i:])
return (cmd,[])
class BAliPhy(Program):
def __init__(self, cmd):
(cmd1,cmd2) = splitCmd(cmd)
Program.__init__(self, cmd1)
self.name = "bali-phy"
self.likelihood_regex = r".* likelihood = ([^ ]+) .*"
self.extra_args = cmd2
def prefix(self):
return ""
class IQTREE(Program):
def __init__(self, cmd):
Program.__init__(self,cmd)
self.name = "iqtree"
self.likelihood_regex = r"1. Initial log-likelihood: ([^ ]+)$"
self.extra_args = ['--show-lh','-redo','-blmin','1.0e-100','-safe']
class raxml_ng(Program):
def __init__(self, cmd):
Program.__init__(self,cmd)
self.name = "raxml-ng"
self.likelihood_regex = r"Final LogLikelihood: ([^ ]+)$"
self.extra_args = ['--loglh','--threads','1','--precision','16']
class PhyML(Program):
def __init__(self, cmd):
Program.__init__(self,cmd)
self.name = "phyml"
self.y = r". Log likelihood of the current tree: ([^ ]+)\$."
self.likelihood_regex = r". Log likelihood of the current tree: ([^ ]+)\.$"
self.extra_args = ['--leave_duplicates','-b','0','-o','n','--l_min','1.0e-100']
class hyphymp(Program):
def __init__(self, cmd):
Program.__init__(self, cmd)
self.name = "hyphymp"
self.likelihood_regex = r"Log Likelihood = ([^ ]+);"
self.exec_file = True
def control_file(self):
return "hyphymp-command.hbl"
class Tester:
def __init__(self, top_test_dir, data_dir, method):
self.top_test_dir = pathlib.Path(top_test_dir)
self.data_dir = pathlib.Path(data_dir)
self.method = method
self.NUM_TESTS = 0
self.FAILED_TESTS = []
self.XFAILED_TESTS = []
def dir_for_test(self, test_subdir):
return self.top_test_dir / test_subdir
def rundir_for_test(self, test_subdir):
return self.top_test_dir / test_subdir
def get_test_dirs(self):
test_dirs = []
for root, dirs, files in os.walk(top_test_dir):
if self.method.control_file() in files:
path = os.path.relpath(root, top_test_dir)
test_dirs.insert(0,path)
return test_dirs
def run_test_cmd(self,test_subdir):
rundir = self.rundir_for_test(test_subdir)
prefix = self.method.prefix() + "obtained-"
obt_outf = rundir / (prefix + 'output')
obt_errf = rundir / (prefix + 'error')
obt_exitf = rundir / (prefix +'exit')
cmd = self.method.cmdline(self, test_subdir)
stdin = self.method.stdin(self, test_subdir)
test_data_dir = rundir / 'data'
if os.path.exists(test_data_dir) and os.path.islink(test_data_dir):
os.unlink(test_data_dir)
if os.path.exists(test_data_dir):
raise RuntimeError(f"In test directory {rundir}, cannot make a symlink 'data' because 'data' already exists (and is not a symlink).")
os.symlink(self.data_dir, test_data_dir)
with codecs.open(obt_outf, 'w', encoding='utf-8') as obt_out:
with codecs.open(obt_errf, 'w', encoding='utf-8') as obt_err:
# invocation = '"{}"'.format('" "'.join(cmd))
# debug('Running: ' + invocation + ' >"' + obt_outf + '" 2>"' + obt_errf + '" ; echo $? >"' + obt_exitf + '"')
# Make sure the test output doesn't depend on the terminal width.
env = os.environ.copy()
env["COLUMNS"] = "80"
p = subprocess.Popen(cmd, cwd=rundir, stdin=subprocess.PIPE, stdout=obt_out, stderr=obt_err, env=env)
p.communicate(input=stdin)
exit_code = p.wait()
with codecs.open(obt_exitf, 'w', encoding='utf-8') as obt_exit:
obt_exit.write('{e:d}\n'.format(e=exit_code))
if os.path.exists(test_data_dir) and os.path.islink(test_data_dir):
os.unlink(test_data_dir)
def read_expected(self, test_subdir, name):
test_dir = self.top_test_dir / test_subdir
pathname = test_dir / name
if not os.path.exists(pathname):
if name == 'exit':
return "0"
else:
return None
return codecs.open(pathname, 'r', encoding='utf-8').read().rstrip()
def read_obtained(self, test_subdir, name):
rundir = self.rundir_for_test(test_subdir)
prefix = self.method.prefix()+"obtained-"
outputf = rundir / (prefix+name)
return codecs.open(outputf , 'r', encoding='utf-8').read().rstrip()
def check_expected(self, test_subdir, name):
test_dir = self.dir_for_test(test_subdir)
expected = self.read_expected(test_subdir, name)
if expected is None:
return True;
else:
obtained = self.read_obtained(test_subdir, name)
return set(expected.splitlines()).issubset(set(obtained.splitlines()))
def check_likelihood(self, test_subdir):
import math
expected_likelihood = self.read_expected(test_subdir, 'likelihood')
if not expected_likelihood:
return None
obtained_likelihood = self.method.read_obtained_likelihood(self,test_subdir)
if not obtained_likelihood:
return "No likelihood found!"
if expected_likelihood and obtained_likelihood:
e = float(expected_likelihood);
o = float(obtained_likelihood);
diff = o - e
# expect a relative precision of 1e-14
prec = abs(e)*1.0e-14
# but if the likelihood isn't specified that precisely, allow a bigger difference.
prec = max(prec, get_precision(expected_likelihood))
if abs(diff) < prec:
return None
else:
rel_diff = abs(diff/e)
return "likelihood error: absolute={}, relative={} (Got {} but expected {})".format(diff,rel_diff,obtained_likelihood,expected_likelihood)
def test_xfail(self, test_subdir):
filename1 = self.top_test_dir / test_subdir / self.method.name / 'xfail'
filename2 = self.top_test_dir / test_subdir / 'xfail'
return os.path.exists(filename1) or os.path.exists(filename2)
def check_test_output(self,test_subdir):
test_dir = self.top_test_dir / test_subdir
failures = []
message = ""
exit_test_failed = False
if not self.check_expected(test_subdir, 'output'):
failures.append('output')
if not self.check_expected(test_subdir, 'error'):
failures.append('error')
if not self.check_expected(test_subdir, 'exit'):
failures.append('exit')
exit_test_failed = True
likelihood_message = self.check_likelihood(test_subdir)
if likelihood_message:
message += likelihood_message
failures.append('likelihood')
if exit_test_failed:
expected_exit = self.read_expected(test_subdir, 'exit')
if expected_exit.rstrip() == "0":
message = self.read_obtained(test_subdir, 'error').rstrip()
if message == "":
message = self.read_obtained(test_subdir, 'output').rstrip()
# message = "\n".join(message.splitlines()[-6:])
message = message.lstrip()
if (len(message) > 0):
message = indent(5,message)
xfail = self.test_xfail(test_subdir)
return (failures,xfail,message)
def perform_test(self, test_subdir):
import re
self.NUM_TESTS += 1
print("Running {} test:".format(self.method.name),test_subdir," ",end="", flush=True)
self.run_test_cmd(test_subdir)
failures,xfail,message = self.check_test_output(test_subdir)
if not failures:
print("... ok")
elif failures:
if xfail:
expected="(expected)"
self.XFAILED_TESTS.append(test_subdir)
else:
self.FAILED_TESTS.append(test_subdir)
expected=""
print("... FAIL! {} {}".format(failures,expected))
if message:
message = message.rstrip('\n')+"\n"
try:
print(message)
# Some terminals don't support unicode
except UnicodeEncodeError:
print(message.encode('ascii','replace'))
def test_result_string(self, test_subdir):
print("Running {} test:".format(self.method.name),test_subdir," ",file=sys.stderr)
self.run_test_cmd(test_subdir)
failures,xfail,message = self.check_test_output(test_subdir)
if xfail and failures:
return 'XFAIL'
elif failures:
return 'FAIL'
else:
return 'PASS'
def get_test_method(cmd):
prog = prog_name(cmd[0])
if prog == 'wine':
prog = prog_name(cmd[1]);
if prog.startswith('bali-phy'):
return BAliPhy(cmd)
elif prog == 'rb' or prog.startswith('rb-'):
return RevBayes(cmd)
elif prog == 'paup':
return Paup(cmd)
elif prog == 'phyml':
return PhyML(cmd)
elif prog == 'iqtree':
return IQTREE(cmd)
elif prog == 'raxml-ng':
return raxml_ng(cmd)
elif prog.startswith('hyphy'):
return hyphymp(cmd)
else:
print("I don't recognize program '{}' - cowardly refusing to run tests for it.".format(prog))
exit(1)
def coverage_dict(top_test_dir, data_dir, progs):
coverage = defaultdict(dict)
for prog in progs:
method = get_test_method([prog])
tester = Tester(top_test_dir, data_dir, method)
supported_tests = tester.get_test_dirs()
for test in supported_tests:
coverage[test][prog] = "X"
return coverage
def results_dict(top_test_dir, data_dir, progs):
results = defaultdict(dict)
for prog in progs:
method = get_test_method([prog])
tester = Tester(top_test_dir, data_dir, method)
supported_tests = tester.get_test_dirs()
for test in supported_tests:
results[test][prog] = tester.test_result_string(test)
return results
def remove_prefix(s,prefix):
return s[len(prefix):] if s.startswith(prefix) else s
def test_matrix_from_dict(results,progs):
header = ["test"]+progs
rows = [header]
for test in results:
testname = test
testname = remove_prefix(testname, 'tests/')
testname = remove_prefix(testname, 'likelihood/')
row = [testname]
for prog in progs:
if prog in results[test]:
row.append(results[test][prog])
else:
row.append("")
rows.append(row)
return rows
def print_test_matrix(rows):
for row in rows:
print(','.join(row))
def print_existing_tests(rows):
for row in rows:
if [ status for status in row[1:] if status == "X"]:
print(row[0])
def prog_name(pathname):
import re
filename = os.path.basename(pathname)
if filename[-4:] == ".exe":
filename = filename[0:-4]
return filename
if __name__ == '__main__':
import codecs
# import json
import sys
script_dir = os.path.split(sys.argv[0])[0]
script_dir = pathlib.Path(os.path.abspath(script_dir))
data_dir = script_dir / 'data'
top_test_dir = os.getcwd()
cmd = sys.argv[1:]
if not cmd:
print("Please specify which program to test! (e.g. 'bali-phy', 'rb', etc.)")
exit(1)
if cmd[0] == 'test':
progs = cmd[1:]
elif cmd[0] == 'coverage':
progs = cmd[1:]
print_test_matrix(test_matrix_from_dict(coverage_dict(top_test_dir, data_dir, progs),progs))
exit(1)
elif cmd[0] == 'list':
progs = cmd[1:]
print_existing_tests(test_matrix_from_dict(coverage_dict(top_test_dir, data_dir, progs),progs))
exit(1)
elif cmd[0] == 'listdir':
top_test_dir = cmd[1]
progs = cmd[2:]
print_existing_tests(test_matrix_from_dict(coverage_dict(top_test_dir, data_dir, progs),progs))
exit(1)
elif cmd[0] == 'results':
progs = cmd[1:]
print_test_matrix(test_matrix_from_dict(results_dict(top_test_dir, data_dir, progs),progs))
exit(1)
elif cmd[0] == 'run':
top_test_dir = cmd[1]
progs = cmd[2:]
else:
progs = cmd
method = get_test_method(progs)
print("Running tests for '{}':\n".format(method.name))
if os.path.isabs(progs[0]) and not os.path.exists(progs[0]):
print("Executable '{}' not found!".format(progs[0]))
exit(1)
tester = Tester(top_test_dir, data_dir, method)
for test_subdir in tester.get_test_dirs():
tester.perform_test(test_subdir)
if (len(tester.FAILED_TESTS) > 0):
print("FAIL! ({} unexpected failures, {} expected failures, {} tests total)".format(len(tester.FAILED_TESTS), len(tester.XFAILED_TESTS), tester.NUM_TESTS))
exit(1)
else:
print("SUCCESS! ({} unexpected failures, {} expected failures, {} tests total)".format(len(tester.FAILED_TESTS), len(tester.XFAILED_TESTS), tester.NUM_TESTS))
exit(0)
|