Source code for pipeline

import base64
import copy
import csv
import datetime
import fscache
import glob
import json
from logging import getLogger
from operator import itemgetter
import os
import re
import StringIO
import subprocess
import sys
import yaml

import abstract_step
import misc
import task as task_module
from xml.dom import minidom


logger=getLogger("uap_logger")

# an exception class for reporting configuration errors
[docs]class ConfigurationException(Exception): def __init__(self, value): self.value = value def __str__(self): return repr(self.value)
[docs]class Pipeline(object): ''' The Pipeline class represents the entire processing pipeline which is defined and configured via the configuration file config.yaml. Individual steps may be defined in a tree, and their combination with samples as generated by one or more source leads to an array of tasks. ''' states = misc.Enum(['WAITING', 'READY', 'QUEUED', 'EXECUTING', 'FINISHED']) ''' Possible states a task can be in. ''' def __init__(self, **kwargs): self.caught_signal = None self.git_dirty_diff = None self.cluster_type = None ''' The cluster type to be used (must be one of the keys specified in cluster_config). ''' # Check the availability of git command = ['git', '--version'] try: with open(os.devnull, 'w') as devnull: subprocess.check_call(command, stdout = devnull) except subprocess.CalledProcessError as e: logger.error("Execution of '%s' failed. Git seems to be " "unavailable." % " ".join(command)) sys.exit(1) # now determine the Git hash of the repository command = ['git', 'describe', '--all', '--dirty', '--long'] try: self.git_hash_tag = subprocess.check_output(command).strip() except: logger.error("Execution of %s failed." % " ".join(command)) raise sys.exit(1) # check if we got passed an 'arguments' parameter # this parameter should contain a argparse.Namespace object args = None if 'arguments' in kwargs: args = kwargs['arguments'] self._uap_path = args.uap_path ''' Absolute path to the directory of the uap executable. It is used to circumvent path issues. ''' self._no_tool_checks = args.no_tool_checks self._cluster_config_path = os.path.join( self._uap_path, 'cluster/cluster-specific-commands.yaml') with open(self._cluster_config_path, 'r') as cluster_config_file: self._cluster_config = yaml.load( cluster_config_file ) ''' Cluster-related configuration for every cluster system supported. ''' if self.git_hash_tag.endswith('-dirty'): if not args.even_if_dirty: print("The repository has uncommitted changes, which is why " + "we will exit right now.") print("If this is not a production environment, you can skip " + "this test by specifying --even-if-dirty on the command " + "line.") print(self.git_hash_tag) exit(1) command = ['git', 'diff'] try: self.git_dirty_diff = subprocess.check_output(command) except: logger.error("Execution of %s failed." % " ".join(command)) sys.exit(1) try: # set cluster type if args.cluster == 'auto': self.set_cluster_type(self.autodetect_cluster_type()) else: self.set_cluster_type(args.cluster) except AttributeError: # cluster type is not an applicable parameter here, and that's fine # (we're probably in run-locally.py) pass self._config_filepath = args.config.name ''' Name of the YAML configuration file ''' self.config = dict() ''' Dictionary representation of configuration YAML file. ''' self.steps = dict() ''' This dict stores step objects by their name. Each step knows his dependencies. ''' self.topological_step_order = list() ''' List with topologically ordered steps. ''' self.file_dependencies = dict() ''' This dict stores file dependencies within this pipeline, but regardless of step, output file tag or run ID. This dict has, for all output files generated by the pipeline, a set of input files that output file depends on. ''' self.file_dependencies_reverse = dict() ''' This dict stores file dependencies within this pipeline, but regardless of step, output file tag or run ID. This dict has, for all input files required by the pipeline, a set of output files which are generated using this input file. ''' self.task_id_for_output_file = dict() ''' This dict stores a task ID for every output file created by the pipeline. ''' self.task_ids_for_input_file = dict() ''' This dict stores a set of task IDs for every input file used in the pipeline. ''' self.input_files_for_task_id = dict() ''' This dict stores a set of input files for every task id in the pipeline. ''' self.output_files_for_task_id = dict() ''' This dict stores a set of output files for every task id in the pipeline. ''' self.task_for_task_id = dict() ''' This dict stores task objects by task IDs. ''' self.all_tasks_topologically_sorted = list() ''' List of all tasks in topological order. ''' self.read_config(args.config) # collect all tasks for step_name in self.topological_step_order: step = self.get_step(step_name) logger.debug("Collect now all tasks for step: %s" % step) for run_index, run_id in enumerate(misc.natsorted(step.get_run_ids())): task = task_module.Task(self, step, run_id, run_index) # if any run of a step contains an exec_groups, # the task (step/run) is added to the task list run = step.get_run(run_id) logger.debug("Step: %s, Run: %s" % (step, run_id)) run_has_exec_groups = False if len(run.get_exec_groups()) > 0: run_has_exec_groups = True if run_has_exec_groups: logger.debug("Task: %s" % task) self.all_tasks_topologically_sorted.append(task) # Fail if multiple tasks with the same name exist if str(task) in self.task_for_task_id: logger.error("%s: Duplicate task ID %s." % (self.get_config_filepath(), str(task))) sys.exit(1) self.task_for_task_id[str(task)] = task self.tool_versions = {} self.check_tools() def get_uap_path(self): return self._uap_path def get_config_filepath(self): return self._config_filepath def get_cluster_config(self): return self._cluster_config def get_steps(self): return self.steps def get_step(self, step_name): return self.steps[step_name] # read configuration and make sure it's good def read_config(self, config_file): # yaml.load works fine, even for duplicate dictionary keys (WTF) self.config = yaml.load(config_file) # Make self.config['destination_path'] an absolute path if necessary if not os.path.isabs(self.config['destination_path']): config_abspath = os.path.dirname(config_file.name) self.config['destination_path'] = os.path.join( config_abspath,self.config['destination_path']) if not 'id' in self.config: self.config['id'] = config_file.name if not 'destination_path' in self.config: logger.error("%s: Missing key: destination_path" % self.get_config_filepath()) sys.exit(1) if not os.path.exists(self.config['destination_path']): logger.error("%s: Destination path does not exist: %s" % (self.get_config_filepath(), self.config['destination_path']) ) sys.exit(1) if not os.path.exists("%s-out" % self.config['id']): os.symlink(self.config['destination_path'], '%s-out' % self.config['id']) if not 'cluster' in self.config: self.config['cluster'] = dict() for i in ['default_submit_options', 'default_pre_job_command', 'default_post_job_command']: if i not in self.config['cluster']: self.config['cluster'][i] = '' self.build_steps() def get_config(self): return self.config def build_steps(self): self.steps = {} if not 'steps' in self.config: logger.error("%s: Missing key: steps" % self.get_config_filepath()) sys.exit(1) re_simple_key = re.compile('^[a-zA-Z0-9_]+$') re_complex_key = re.compile('^([a-zA-Z0-9_]+)\s+\(([a-zA-Z0-9_]+)\)$') # step one: instantiate all steps for step_key, step_description in self.config['steps'].items(): # the step keys in the configuration may be either: # - MODULE_NAME # - DIFFERENT_STEP_NAME\s+\(MODULE_NAME\) step_name = None module_name = None if re_simple_key.match(step_key): step_name = step_key module_name = step_key else: match = re_complex_key.match(step_key) if match: step_name = match.group(1) module_name = match.group(2) if step_name == 'temp': # A step cannot be named 'temp' because we need the out/temp # directory to store temporary files. logger.error("%s: A step name cannot be 'temp'." % self.get_config_filepath()) sys.exit(1) step_class = abstract_step.AbstractStep.get_step_class_for_key(module_name) step = step_class(self) step.set_step_name(step_name) step.set_options(step_description) self.steps[step_name] = step # step two: set dependencies for step_name, step in self.steps.items(): if not step.needs_parents: if '_depends' in step._options: logger.error("%s: %s must not have dependencies because " "it declares no in/* connections (remove the " "_depends key)." % (self.get_config_filepath(), step_name)) sys.exit(1) else: if not '_depends' in step._options: logger.error("%s: Missing key in step '%s': _depends (set " "to null if the step has no dependencies)." % (self.get_config_filepath(), step_name)) sys.exit(1) depends = step._options['_depends'] if depends == None: pass else: temp_list = depends if depends.__class__ == str: temp_list = [depends] for d in temp_list: if not d in self.steps: logger.error("%s: Step %s specifies an undefined " "dependency: %s." % (self.get_config_filepath(), step_name, d)) sys.exit(1) step.add_dependency(self.steps[d]) # step three: perform topological sort # if there's a cycle (yeah, the algorithm is O(n^2), tsk, tsk...) unassigned_steps = set(self.steps.keys()) assigned_steps = set() self.topological_step_order = [] while len(unassigned_steps) > 0: # choose all tasks which have all dependencies resolved, either # because they have no dependencies or are already assigned next_steps = [] for step_name in unassigned_steps: is_ready = True for dep in self.steps[step_name].dependencies: dep_name = dep.get_step_name() if not dep_name in assigned_steps: is_ready = False break if is_ready: next_steps.append(step_name) if len(next_steps) == 0: logger.error("%s: There is a cycle in the step dependencies." % self.get_config_filepath()) sys.exit(1) for step_name in misc.natsorted(next_steps): self.topological_step_order.append(step_name) assigned_steps.add(step_name) unassigned_steps.remove(step_name) # step four: finalize step for step in self.steps.values(): step.finalize() def print_source_runs(self): for step_name in self.topological_step_order: step = self.steps[step_name] if isinstance(step, abstract_step.AbstractSourceStep): for run_id in misc.natsorted(step.get_run_ids()): print("%s/%s" % (step, run_id)) def add_file_dependencies(self, output_path, input_paths): if output_path in self.file_dependencies: logger.error("Different steps/runs/tags want to create " "the same output file: %s." % output_path) sys.exit(1) self.file_dependencies[output_path] = set(input_paths) for inpath in input_paths: if not inpath in self.file_dependencies_reverse: self.file_dependencies_reverse[inpath] = set() self.file_dependencies_reverse[inpath].add(output_path) def add_task_for_output_file(self, output_path, task_id): if output_path in self.task_id_for_output_file: logger.error("More than one step is trying to create the " "same output file: %s." % output_path) sys.exit(1) self.task_id_for_output_file[output_path] = task_id if not task_id in self.output_files_for_task_id: self.output_files_for_task_id[task_id] = set() self.output_files_for_task_id[task_id].add(output_path) def add_task_for_input_file(self, input_path, task_id): if not input_path in self.task_ids_for_input_file: self.task_ids_for_input_file[input_path] = set() self.task_ids_for_input_file[input_path].add(task_id) if not task_id in self.input_files_for_task_id: self.input_files_for_task_id[task_id] = set() self.input_files_for_task_id[task_id].add(input_path) def check_command(self, command): for argument in command: if not isinstance(argument, str): logger.error( "The command to be launched '%s' contains non-string " "argument '%s'. Therefore the command will fail. Please " "fix this type issue." % (command, argument)) sys.exit(1) return def exec_pre_post_calls(self, tool_id, info_key, info_command, tool_check_info): if info_command.__class__ == str: info_command = [info_command] for command in info_command: if type(command) is str: command = command.split() self.check_command(command) logger.info("Executing command: %s" % " ".join(command)) try: proc = subprocess.Popen( command, stdin = None, stdout = subprocess.PIPE, stderr = subprocess.PIPE, close_fds = True) except OSError as e: logger.error( "%s: Error while executing '%s' for %s: %s " "Error no.: %s Error message: %s" % (self.get_config_filepath(), info_key, tool_id, " ".join(command), e.errno, e.strerror) ) sys.exit(1) command_call = info_key command_exit_code = '%s-exit-code' % info_key command_response = '%s-respone' % info_key (output, error) = proc.communicate() if info_key in ['module_load', 'module_unload']: logger.info("Try '%s' for '%s': %s" % ( info_key, tool_id, " ".join(command)) ) exec output tool_check_info.update({ command_call : (' '.join(command)).strip(), command_exit_code : proc.returncode }) sys.stderr.write(error) sys.stderr.flush() else: tool_check_info.update({ command_call : (' '.join(command)).strip(), command_exit_code : proc.returncode, command_response : (output + error) }) return tool_check_info
[docs] def check_tools(self): ''' checks whether all tools references by the configuration are available and records their versions as determined by ``[tool] --version`` etc. ''' if not 'tools' in self.config: return if self._no_tool_checks: return for tool_id, info in self.config['tools'].items(): tool_check_info = dict() # Load module(s) and execute command if configured for pre_cmd in (x for x in ('module_load', 'pre_command') if x in info): tool_check_info = self.exec_pre_post_calls( tool_id, pre_cmd, info[pre_cmd], tool_check_info) # Execute command to check if tool is available command = [copy.deepcopy(info['path'])] if info['path'].__class__ == list: command = copy.deepcopy(info['path']) self.check_command(command) if 'get_version' in info: command.append(info['get_version']) try: proc = subprocess.Popen( command, stdin = subprocess.PIPE, stdout = subprocess.PIPE, stderr = subprocess.PIPE, close_fds = True) proc.stdin.close() except OSError as e: logger.error("%s: Error while checking Tool %s " "Error no.: %s Error message: %s\ncommand: %s " "\nSTDOUT-ERR: %s\n" % (self.get_config_filepath(), info['path'], e.errno, e.strerror, command, subprocess.PIPE)) sys.exit(1) proc.wait() exit_code = None exit_code = proc.returncode tool_check_info.update({ 'command': (' '.join(command)).strip(), 'exit_code': exit_code, 'response': (proc.stdout.read() + proc.stderr.read()).strip() }) # print("Command: %s" % tool_check_info['command']) # print("Exit Code: %s" % tool_check_info['exit_code']) # print("Response: %s" % tool_check_info['response']) expected_exit_code = 0 if 'exit_code' in info: expected_exit_code = info['exit_code'] if exit_code != expected_exit_code: logger.error( "%s: Tool check failed for %s: %s - exit code is: %d " "(expected %d) (response %s)" % (self.get_config_filepath(), tool_id, ' '.join(command), exit_code, expected_exit_code, tool_check_info['response']) ) sys.exit(1) # Execute clean-up command (if configured) for info_key in (x for x in ('module_unload', 'post_command') if x in info): tool_check_info = self.exec_pre_post_calls( tool_id, info_key, info[info_key], tool_check_info) # Store captured information self.tool_versions[tool_id] = tool_check_info
def check_ping_files(self, print_more_warnings = False, print_details = False, fix_problems = False): run_problems = list() queue_problems = list() check_queue = True try: stat_output = subprocess.check_output( [self.get_cluster_command('stat')], stderr = subprocess.STDOUT) except (KeyError, OSError, subprocess.CalledProcessError): # we don't have a stat tool here, if subprocess.CalledProcessError # is raised check_queue = False if print_more_warnings and not check_queue: try: ce = self.get_cluster_command('stat') except KeyError: ce = "a cluster engine" print("Attention, we cannot check stale queued ping files because " "this host does not have %s." % ce) running_jids = set() if check_queue: for line in stat_output.split("\n"): try: jid = int(line.strip().split(' ')[0]) running_jids.add(str(jid)) except ValueError: # this is not a JID pass now = datetime.datetime.now() for task in self.all_tasks_topologically_sorted: exec_ping_file = task.get_run().get_executing_ping_file() queued_ping_file = task.get_run().get_queued_ping_file() if os.path.exists(exec_ping_file): info = yaml.load(open(exec_ping_file, 'r')) start_time = info['start_time'] last_activity = datetime.datetime.fromtimestamp( abstract_step.AbstractStep.fsc.getmtime(exec_ping_file)) last_activity_difference = now - last_activity if last_activity_difference.total_seconds() > \ abstract_step.AbstractStep.PING_TIMEOUT: run_problems.append((task, exec_ping_file, last_activity_difference, last_activity - start_time)) if os.path.exists(queued_ping_file) and check_queue: info = yaml.load(open(queued_ping_file, 'r')) if not str(info['job_id']) in running_jids: queue_problems.append((task, queued_ping_file, info['submit_time'])) show_hint = False if len(run_problems) > 0: show_hint = True label = "Warning: There are %d stale run ping files." % len(run_problems) print(label) if print_details: print('-' * len(label)) run_problems = sorted(run_problems, key=itemgetter(2, 3), reverse=True) for problem in run_problems: task = problem[0] path = problem[1] last_activity_difference = problem[2] ran_for = problem[3] print("dead since %13s, ran for %13s: %s" % ( misc.duration_to_str(last_activity_difference), misc.duration_to_str(ran_for), task)) print("") if len(queue_problems) > 0: show_hint = True label = "Warning: There are %d tasks marked as queued, but they do not seem to be queued." % len(queue_problems) print(label) if print_details: print('-' * len(label)) queue_problems = sorted(queue_problems, key=itemgetter(2), reverse=True) for problem in queue_problems: task = problem[0] path = problem[1] start_time = problem[2] print("submitted at %13s: %s" % (start_time, task)) print("") if fix_problems: all_problems = run_problems all_problems.extend(queue_problems) for problem in all_problems: path = problem[1] print("Now deleting %s..." % path) os.unlink(path) if show_hint: if print_more_warnings and not print_details or not fix_problems: print("Hint: Run 'uap %s fix-problems --details' to see the " "details." % self.get_config_filepath()) if not fix_problems: print("Hint: Run 'uap %s fix-problems --srsly' to fix these " "problems (that is, delete all problematic ping files)." % self.get_config_filepath()) def check_volatile_files(self, details = False, srsly = False): collected_files = set() for task in self.all_tasks_topologically_sorted: collected_files |= task.volatilize_if_possible(srsly) if not srsly and len(collected_files) > 0: if details: for path in sorted(collected_files): print(path) total_size = 0 for path in collected_files: total_size += os.path.getsize(path) print("Hint: You could save %s of disk space by volatilizing %d " "output files." % (misc.bytes_to_str(total_size), len(collected_files))) print("Call 'uap %s volatilize --srsly' to purge the files." % self.get_config_filepath()) def autodetect_cluster_type(self): cluster_config = self.get_cluster_config() # Let's see if we can successfully run a cluster identity test # Test all configured cluster types for cluster_type in cluster_config.keys(): # Do we have an identity test command identity = dict() for key in ['test', 'answer']: try: identity[key] = cluster_config[cluster_type]\ ['identity_%s' % key] except KeyError: logger.error("%s: Missing 'identity_%s' for %s" "cluster type." % (self._cluster_config_path, key, cluster_type) ) sys.exit(1) # Now that we know let's test for that cluster try: if (subprocess.check_output( identity['test'] ) .startswith(identity['answer']) ): return cluster_type except OSError: pass return None def get_cluster_type(self): return self.cluster_type def set_cluster_type(self, cluster_type): if not cluster_type in self.get_cluster_config(): logger.info("No cluster type detected.") self.cluster_type = None self.cluster_type = cluster_type ''' Shorthand to retrieve a cluster-type-dependent command or filename (cc == cluster command). ''' def get_cluster_command(self, key): return self.get_cluster_config()[self.get_cluster_type()][key] ''' Shorthand to retrieve a cluster-type-dependent command line part (this is a list) ''' def get_cluster_command_cli_option(self, key, value): result = self.get_cluster_config()[self.get_cluster_type()][key] if '%s' in result: return [result % value] else: return [result, value]