import gtk import logger class Workflow: """Defines a workflow that contains a set of analysis stages. A Workflow is a set of analysis stages for a certain type of analysis. Each stage contains some possible operations to do accomplish that task. """ def __init__(self, app): self.name = '' self.stages = [] self.stages_by_id = {} self.app = app def add_stage(self, stage): self.stages.append(stage) self.stages_by_id[stage.id] = stage def print_tree(self): print self.name for stage in self.stages: print ' %s' % stage.name for fun in stage.functions: print ' %s' % fun.name class Stage: """A stage is a part of the data analysis process. Each stage contains a set of functions that can be used to accomplish the task. A typical early stage is 'preprocessing', which can be done in several ways, each represented by a function. """ def __init__(self, id, name): self.id = id self.name = name self.functions = [] self.functions_by_id = {} def add_function(self, fun): self.functions.append(fun) self.functions_by_id[fun.id] = fun class Function: """A Function object encapsulates a function on a data set. Each Function instance encapsulates some function that can be applied to one or more types of data. """ def __init__(self, id, name): self.id = id self.name = name def valid_input(input): return True def run(self, data): pass class WorkflowView (gtk.VBox): def __init__(self, wf): gtk.VBox.__init__(self) self.workflow = wf # Add stage in the process for stage in wf.stages: exp = gtk.Expander(stage.name) btn_box = gtk.VBox() btn_box.show() exp.add(btn_box) # Add functions in each stage for fun in stage.functions: btn = gtk.Button(fun.name) btn.connect('clicked', self.button_click_handler) btn.function = fun btn_box.add(btn) btn.show() exp.show() self.pack_start(exp, expand=False, fill=False) def run_function(self, function): logger.log('debug', 'Starting function: %s' % function.name) project = self.workflow.app.project new_data = function.run(project.current_data) if new_data != None: project.current_data = new_data logger.log('debug', 'Function ended: %s' % function.name) def button_click_handler(self, button): self.run_function(function = button.function)