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 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547
|
#!/usr/bin/env python3
""" THIS MODULE CONTAINS ALL THE SHARED WRAPPER FUNCTIONS """
################################################################################
# CGE FUNCTION MODULE #
################################################################################
# This script is part of the CGE Pipeline structure
import sys, os
from subprocess import Popen, PIPE
from pipes import quote
from time import time, sleep
from datetime import timedelta
# CGE modules
from .utility import debug, open_, mkpath
############# CLASSES #############
class ProgramList(object):
''' This Class keeps track of all the programs
USAGE:
proglist = ProgramList()
proglist.add2list(prog_obj)
for progname in proglist.list: proglist[progname].wait()
proglist.print_timers()
'''
def __init__(self):
''' '''
self.timer = -time() # Wrapper timer
self.list = []
def __getitem__(self, key):
''' '''
return getattr(self, key)
def add_program(self, prog_obj):
''' '''
setattr(self, prog_obj.name, prog_obj)
self.list.append(prog_obj.name)
return prog_obj
def empty_list(self, forcefully=False):
''' '''
removed = [self.remove_program(name, forcefully=forcefully) for name in self.list]
if all(removed):
return True
else:
return False
def remove_name_from_list(self, name):
''' '''
self.list[:] = (ent for ent in self.list if ent != name)
def remove_program(self, name, forcefully=False):
''' '''
# Check if program in list
if name in self.list:
# Check if program object is a local attribute
if name in dir(self):
# Check if program have completed
prog_obj = getattr(self, name)
if prog_obj.status != 'Executing' or forcefully:
# Remove program from list
delattr(self, name)
self.remove_name_from_list(name)
return True
else:
debug.log("Warning: Program %s status %s!"%(
name, prog_obj.status))
return False
else:
self.remove_name_from_list(name)
return True
else:
self.remove_name_from_list(name)
return True
def add2list(self, prog_obj):
''' '''
setattr(self, prog_obj.name, prog_obj)
self.list.append(prog_obj.name)
def exists(self, name):
''' Checks whether the program exists in the program list. '''
return name in dir(self)
def return_timer(self, name, status, timer):
''' Return a text formatted timer '''
timer_template = '%s %s %s : %s : %9s'
t = str(timedelta(0, timer)).split(',')[-1].strip().split(':')
#t = str(timedelta(0, timer)).split(':')
if len(t) == 4:
h, m, s = int(t[0])*24 + int(t[1]), int(t[2]), float(t[3])
elif len(t) == 3: h, m, s = int(t[0]), int(t[1]), float(t[2])
else: h, m, s = 0, 0, str(t)
return timer_template%(
name[:20].ljust(20),
status[:7].ljust(7),
'%3d'%h if h != 0 else ' --',
'%2d'%m if m != 0 else '--',
'%.6f'%s if isinstance(s, float) else s
)
def print_timers(self):
''' PRINT EXECUTION TIMES FOR THE LIST OF PROGRAMS '''
self.timer += time()
total_time = self.timer
tmp = '* %s *'
debug.log(
'',
'* '*29,
tmp%(' '*51),
tmp%('%s %s %s'%('Program Name'.ljust(20), 'Status'.ljust(7), 'Execute Time (H:M:S)')),
tmp%('='*51)
)
for name in self.list:
if self.exists(name):
timer = getattr(self, name).get_time()
status = getattr(self, name).get_status()
self.timer -= timer
debug.log(tmp%(self.return_timer(name, status, timer)))
else:
debug.log(tmp%("%s %s -- : -- : --"%(name[:20].ljust(20),' '*8)))
debug.log(
tmp%(self.return_timer('Wrapper', '', self.timer)),
tmp%('='*51),
tmp%(self.return_timer('Total', '', total_time)),
tmp%(' '*51),
'* '*29,
''
)
class Program:
""" This class defines a program structure for the CGE system
OPTIONS:
name - Set the name of the program.
path - Set the path to the program.
timer - Set the initial time expenditure for the program.
ptype - Set the program type (EG. python or /bin/bash).
wdir - Set the working directory for the program.
server - Set the server for which to execute the program on.
queue - The name of the TORQUE queue to use. If not set, the
program is executed as a normal subprocess.
forcewait - Set to True to make the script wait for the program to
finish.
args - Provide arguments for the program.
walltime - Set the max limit for how many hours the program may run.
mem - Set the max limit of how much memory the program may use.
procs - Set the amount of processors to reserve for the program.
"""
def __init__(self, name, path=None, timer=0, ptype=None, wdir='',
queue=None, wait=False, args=None, walltime=2, mem=4, procs=1,
server=None):
debug.log('\n\nInitiating %s...'%name)
# INIT VALUES
self.path = path
self.name = name
self.timer = timer
self.ptype = ptype
self.queue = queue
self.forcewait = wait
self.args = []
self.unquoted_args = []
self.stderr = "%s.err"%(name)
self.stdout = "%s.out"%(name)
self.walltime = walltime # Maximum amount of hours required to run program
self.mem = mem # GB RAM allocation requirement
self.procs = procs # Number of processors required for the job
self.p = None # The Subprocess Object
self.server = server
self.status = 'Initialised'
self.verbose = False # If True, Error messages are written to stdout.
if args: self.append_args(args)
self.wdir = ''
if wdir is not None:
if wdir != '' and not os.path.exists(wdir):
try:
# Create working directory
mkpath(wdir)
except Exception as e:
debug.graceful_exit(("Error: The specified working directory "
"(%s) does not exist, and could not be "
"created!")%(wdir))
self.wdir = wdir
def get_time(self):
""" This function returns the amount of time used by the program
(in seconds).
"""
return self.timer
def get_status(self):
""" This function returns the amount of time used by the program
(in seconds).
"""
# debug.log('status (%s): %s\n'%(self.name, self.status))
return self.status
def get_cmd(self):
""" This function combines and return the commanline call of the program.
"""
cmd = []
if self.path is not None:
if '/' in self.path and not os.path.exists(self.path):
debug.log('Error: path contains / but does not exist: %s'%self.path)
else:
if self.ptype is not None:
if os.path.exists(self.ptype):
cmd.append(self.ptype)
elif '/' not in self.ptype:
for path in os.environ["PATH"].split(os.pathsep):
path = path.strip('"')
ppath = os.path.join(path, self.ptype)
if os.path.isfile(ppath):
cmd.append(ppath)
break
cmd.append(self.path)
if sys.version_info < (3, 0):
cmd.extend([str(x) if not isinstance(x, (unicode)) else x.encode('utf-8') for x in [quote(str(x)) for x in self.args]+self.unquoted_args])
else:
cmd.extend([str(x) for x in [quote(str(x)) for x in self.args]+self.unquoted_args])
else:
debug.log('Error: Program path not set!')
return ' '.join(cmd)
def update_timer(self, time):
""" This function updates the program timer. """
self.timer += time
def append_args(self, arg):
""" This function appends the provided arguments to the program object.
"""
debug.log("Adding Arguments: %s"%(arg))
if isinstance(arg, (int,float)): self.args.append(str(arg))
if isinstance(arg, str): self.args.append(arg)
if isinstance(arg, list):
if sys.version_info < (3, 0):
self.args.extend([str(x) if not isinstance(x, (unicode)) else x.encode('utf-8') for x in arg])
else:
self.args.extend([str(x) for x in arg])
def execute(self):
""" This function Executes the program with set arguments. """
prog_cmd = self.get_cmd().strip()
if prog_cmd == '':
self.status = 'Failure'
debug.log("Error: No program to execute for %s!"%self.name)
debug.log(("Could not combine path and arguments into cmdline:"
"\n%s %s)\n")%(self.path, ' '.join(self.args)))
else:
debug.log("\n\nExecute %s...\n%s" % (self.name, prog_cmd))
# Create shell script
script = '%s.sh'%self.name
if self.wdir != '':
script = '%s/%s'%(self.wdir, script)
else:
script = '%s/%s'%(os.getcwd(), script)
with open_(script, 'w') as f:
f.write('#!/bin/bash\n')
if self.wdir != '':
f.write('cd {workdir}\n'.format(workdir=self.wdir))
f.write(
('touch {stdout} {stderr}\n'
'chmod a+r {stdout} {stderr}\n'
'{cmd} 1> {stdout} 2> {stderr}\n'
'ec=$?\n').format(
stdout=self.stdout,
stderr=self.stderr,
cmd=prog_cmd
)
)
if not self.forcewait:
f.write(('if [ "$ec" -ne "0" ]; then echo "Error" >> {stderr}; '
'else echo "Done" >> {stderr}; fi\n').format(
stderr=self.stderr))
f.write('exit $ec\n')
os.chmod(script, 0o755)
if self.queue is not None:
# Setup execution of shell script through TORQUE
other_args = ''
if self.forcewait: other_args += "-K " # ADDING -K argument if wait() is forced
# QSUB INFO :: run_time_limit(walltime, dd:hh:mm:ss),
# memory(mem, up to 100GB *gigabyte),
# processors(ppn, up to 16) # USE AS LITTLE AS NEEDED!
cmd = ('/usr/bin/qsub '
'-l nodes=1:ppn={procs},walltime={hours}:00:00,mem={mem}g '
'-r y {workdir_arg} {other_args} {cmd}').format(
procs=self.procs,
hours=self.walltime,
mem=self.mem,
workdir_arg="-d %s"%(self.wdir) if self.wdir != '' else '',
other_args=other_args,
cmd=script)
debug.log("\n\nTORQUE SETUP %s...\n%s\n" % (self.name, cmd))
else:
cmd = script
if self.server is not None:
cmd = "ssh {server} {cmd}".format(
server=self.server,
cmd=quote(cmd)
)
self.status = 'Executing'
# EXECUTING PROGRAM
self.update_timer(-time()) # TIME START
if self.forcewait:
self.p = Popen(cmd)
ec = self.p.wait()
if ec == 0:
debug.log("Program finished successfully!")
self.status = 'Done'
else:
debug.log("Program failed on execution!")
self.status = 'Failure'
self.p = None
else: # WaitOn should be called to determine if the program has ended
debug.log("CMD: %s"%cmd)
self.p = Popen(cmd) # shell=True, executable="/bin/bash"
self.update_timer(time()) # TIME END
debug.log("timed: %s" % (self.get_time()))
def wait(self, pattern='Done', interval=None,
epatterns=['error','Error','STACK','Traceback']):
""" This function will wait on a given pattern being shown on the last
line of a given outputfile.
OPTIONS
pattern - The string pattern to recognise when a program
finished properly.
interval - The amount of seconds to wait between checking the
log file.
epatterns - A list of string patterns to recognise when a program
has finished with an error.
"""
increasing_interval = False
if interval is None:
increasing_interval = True
interval = 10
if self.wdir != '':
stderr = "%s/%s"%(self.wdir, self.stderr)
else:
stderr = self.stderr
debug.log("\nWaiting for %s to finish..."%str(self.name))
if self.status == 'Executing':
self.update_timer(-time()) # TIME START
found = False
if self.queue is not None:
# Handling programs running on the compute servers
# Waiting for error log to be created.
# Prolonged waiting can be caused by the queue being full, or the
# server being unavailable.
debug.log(" Waiting for the error log to be created (%s)..."%(
stderr))
# Set maximum amount of seconds to wait on the errorlog creation,
# before assuming queue failure.
max_queued_time = 10800
while ( not os.path.exists(stderr)
and time()+self.timer < max_queued_time
and time()+self.timer > 0
):
debug.log(" Waiting... (max wait time left: %s seconds)"%(
str(max_queued_time-time()-self.timer)))
sleep(interval)
if increasing_interval:
interval *= 1.1
if os.path.exists(stderr):
if increasing_interval:
interval = 10
# File created looking for pattern
debug.log('\nError log created, waiting for program to finish...')
# calculate max loops left based on set walltime and check interval
max_time = time() + self.walltime * 60 * 60
while time() < max_time:
with open_(stderr) as f:
for l in f.readlines()[-5:]: # last five lines
if pattern in l:
found = True
max_time = 0
break
elif any([ep in l for ep in epatterns]):
found = False
max_time = 0
break
if max_time > 0:
debug.log(' Waiting... (max wait-time left: %s seconds)'%(
str(max_time-time())))
sleep(interval)
if found:
debug.log(" Program finished successfully!")
self.status = 'Done'
else:
debug.log("Error: Program took too long, or finished with error!")
if self.verbose:
debug.print_out(
"Technical error occurred!\n",
"The service was not able to produce a result.\n",
("Please check your settings are correct, and the file "
"type matches what you specified.\n"),
("Try again, and if the problem persists please notify the"
" technical support.\n")
)
self.status = 'Failure'
else:
debug.log(
("Error: %s still does not exist!\n")%(stderr),
("This error might be caused by the cgebase not being "
"available!")
)
if self.verbose:
debug.print_out(
"Technical error occurred!\n",
("This error might be caused by the server not being "
"available!\n"),
("Try again later, and if the problem persists please notify "
"the technical support.\n"),
"Sorry for any inconvenience.\n"
)
self.status = 'Failure'
if not self.p is None:
self.p.wait()
self.p = None
else:
# Handling wrappers running on the webserver
if self.p is None:
debug.log("Program not instanciated!")
self.status = 'Failure'
else:
ec = self.p.wait()
if ec != 0:
debug.log("Program failed on execution!")
self.status = 'Failure'
elif os.path.exists(stderr):
with open_(stderr) as f:
for l in f.readlines()[-5:]: # last five lines
if pattern in l:
found = True
break
elif any([ep in l for ep in epatterns]):
found = False
break
if found:
debug.log(" Program finished successfully!")
self.status = 'Done'
else:
debug.log("Error: Program failed to finish properly!")
if self.verbose:
debug.print_out("Technical error occurred!\n",
"The service was not able to produce a result.\n",
"Please check your settings are correct, and the file "+
"type matches what you specified.", "Try again, and if "+
"the problem persists please notify the technical "+
"support.\n")
self.status = 'Failure'
else:
debug.log(("Error: %s does not exist!\n")%(stderr),
"This error might be caused by the cgebase not being "+
"available!")
if self.verbose:
debug.print_out("Technical error occurred!\n",
"This error might be caused by the server not being "+
"available!\n", "Try again later, and if the problem "+
"persists please notify the technical support.\n",
"Sorry for any inconvenience.\n")
self.status = 'Failure'
self.p = None
self.update_timer(time()) # TIME END
debug.log(" timed: %s"%(self.get_time()))
else:
debug.log(" The check-out of the program has been sorted previously.")
def print_stdout(self):
""" This function will read the standard out of the program and print it
"""
# First we check if the file we want to print does exists
if self.wdir != '':
stdout = "%s/%s"%(self.wdir, self.stdout)
else:
stdout = self.stdout
if os.path.exists(stdout):
with open_(stdout, 'r') as f:
debug.print_out("\n".join([line for line in f]))
else: # FILE DOESN'T EXIST
debug.log("Error: The stdout file %s does not exist!"%(stdout))
def find_out_var(self, varnames=[]):
""" This function will read the standard out of the program, catch
variables and return the values
EG. #varname=value
"""
if self.wdir != '':
stdout = "%s/%s"%(self.wdir, self.stdout)
else:
stdout = self.stdout
response = [None]*len(varnames)
# First we check if the file we want to print does exists
if os.path.exists(stdout):
with open_(stdout, 'r') as f:
for line in f:
if '=' in line:
var = line.strip('#').split('=')
value = var[1].strip()
var = var[0].strip()
if var in varnames: response[varnames.index(var)] = value
else: # FILE DOESN'T EXIST
debug.log("Error: The stdout file %s does not exist!"%(stdout))
return response
def find_err_pattern(self, pattern):
""" This function will read the standard error of the program and return
a matching pattern if found.
EG. prog_obj.FindErrPattern("Update of mySQL failed")
"""
if self.wdir != '':
stderr = "%s/%s"%(self.wdir, self.stderr)
else:
stderr = self.stderr
response = []
# First we check if the file we want to print does exists
if os.path.exists(stderr):
with open_(stderr, 'r') as f:
for line in f:
if pattern in line:
response.append(line.strip())
else: # FILE DOESN'T EXIST
debug.log("Error: The stderr file %s does not exist!"%(stderr))
return response
def find_out_pattern(self, pattern):
""" This function will read the standard error of the program and return
a matching pattern if found.
EG. prog_obj.FindErrPattern("Update of mySQL failed")
"""
if self.wdir != '':
stdout = "%s/%s"%(self.wdir, self.stdout)
else:
stdout = self.stdout
response = []
# First we check if the file we want to print does exists
if os.path.exists(stdout):
with open_(stdout, 'r') as f:
for line in f:
if pattern in line:
response.append(line.strip())
else: # FILE DOESN'T EXIST
debug.log("Error: The stdout file %s does not exist!"%(stdout))
return response
def cmd2list(cmd):
''' Executes a command through the operating system and returns the output
as a list, or on error a string with the standard error.
EXAMPLE:
>>> from subprocess import Popen, PIPE
>>> CMDout2array('ls -l')
'''
p = Popen(cmd, stdout=PIPE, stderr=PIPE, shell=True)
stdout, stderr = p.communicate()
if p.returncode != 0 and stderr != '':
return "ERROR: %s\n"%(stderr)
else:
return stdout.split('\n')
# Initiate Shared Global Objects
proglist = ProgramList()
|