diff --git a/xfel_calibrate/calibrate.py b/xfel_calibrate/calibrate.py
index f8f107ffb2d21da70dd66c48108c2be68c2b449d..6f4acaa4cb3621a78da6f66fce783de7b6b3c206 100755
--- a/xfel_calibrate/calibrate.py
+++ b/xfel_calibrate/calibrate.py
@@ -19,9 +19,9 @@ from .settings import *
 from .notebooks import notebooks
 
 
-# Add a class combining raw description formatting with 
+# Add a class combining raw description formatting with
 # Metavariable default outputs
-class RawTypeFormatter(argparse.RawDescriptionHelpFormatter, 
+class RawTypeFormatter(argparse.RawDescriptionHelpFormatter,
                        argparse.MetavarTypeHelpFormatter,
                        argparse.ArgumentDefaultsHelpFormatter):
     pass
@@ -30,7 +30,7 @@ class RawTypeFormatter(argparse.RawDescriptionHelpFormatter,
 # The argument parser for calibrate.py, will be extended depending
 # on the options given.
 
-def make_initial_parser():   
+def make_initial_parser():
     parser = argparse.ArgumentParser(description="Main entry point "
                                                  "for offline calibration",
                                      formatter_class=RawTypeFormatter)
@@ -56,23 +56,26 @@ def make_initial_parser():
 
     return parser
 
+
 parser = make_initial_parser()
 
 # helper functions for parser extensions
+
+
 def make_intelli_list(ltype):
     """ Parses a list from range and comma expressions.
-    
+
     An expression of the form "1-5,6" will be parsed into the following
     list: [1,2,3,4,6]
-    
+
     """
     class IntelliListAction(argparse.Action):
-        
+
         def __init__(self, *args, **kwargs):
-            super(IntelliListAction, self).__init__(*args, **kwargs)            
+            super(IntelliListAction, self).__init__(*args, **kwargs)
 
         def __call__(self, parser, namespace, values, option_string=None):
-            
+
             parsed_values = []
             values = ",".join(values)
             if isinstance(values, str):
@@ -85,14 +88,14 @@ def make_intelli_list(ltype):
             elif isinstance(values, (list, tuple)):
                 parsed_values = values
             else:
-                parsed_values = [values,]
+                parsed_values = [values, ]
             parsed_values = [self.ltype(p) for p in parsed_values]
             print("Parsed input {} to {}".format(values, parsed_values))
             setattr(namespace, self.dest, parsed_values)
     IntelliListAction.ltype = ltype
     return IntelliListAction
 
-        
+
 def consolize_name(name):
     """ Names of console parameters don't have underscores """
     return name.replace("_", "-")
@@ -108,36 +111,39 @@ def deconsolize_args(args):
 
 def extract_title_author_version(nb):
     """ Tries to extract title, author and versions from markdown """
-    
+
     def find_first_markdown(nb):
         for cell in nb.cells:
             if cell.cell_type == 'markdown':
                 return cell
-            
+
     first_md = find_first_markdown(nb)
     source = first_md["source"]
     title = re.findall(r'\#+\s*(.*)\s*\#+', source)
-    author = re.findall(r'author[\s]*[:][\s]*(.*?)\s*(?:[,?]|version)', source, flags=re.IGNORECASE)
+    author = re.findall(
+        r'author[\s]*[:][\s]*(.*?)\s*(?:[,?]|version)', source, flags=re.IGNORECASE)
     version = re.findall(r'version[\s]*:\s*(.*)', source, flags=re.IGNORECASE)
-    
+
     title = title[0] if len(title) else None
     author = author[0] if len(author) else None
     version = version[0] if len(version) else None
     return title, author, version
-    
+
 
 def first_code_cell(nb):
     """ Return the first code cell of a notebook """
     for cell in nb.cells:
         if cell.cell_type == 'code':
             return cell
-    
+
+
 def first_markdown_cell(nb):
     """ Return the first markdown cell of a notebook """
     for cell in nb.cells:
         if cell.cell_type == 'markdown':
             return cell
-    
+
+
 def make_epilog(nb, caltype=None):
     """ Make an epilog from the notebook to add to parser help
     """
@@ -145,9 +151,9 @@ def make_epilog(nb, caltype=None):
     header_cell = first_markdown_cell(nb)
     lines = header_cell.source.split("\n")
     if caltype:
-        msg+= "{:<15}  {}".format(caltype, lines[0]) + "\n"
+        msg += "{:<15}  {}".format(caltype, lines[0]) + "\n"
     else:
-        msg+= "{}".format(lines[0]) + "\n"
+        msg += "{}".format(lines[0]) + "\n"
     pp = pprint.PrettyPrinter(indent=(17 if caltype else 0))
     if len(lines[1:]):
         plines = pp.pformat(lines[1:])[1:-1].split("\n")
@@ -162,6 +168,7 @@ def make_epilog(nb, caltype=None):
     msg += "\n"
     return msg
 
+
 def get_notebook_function(nb, fname):
     import re
     flines = []
@@ -171,7 +178,7 @@ def get_notebook_function(nb, fname):
         if cell.cell_type == 'code':
             lines = cell.source.split("\n")
             for line in lines:
-                
+
                 if def_found:
                     lin = len(line) - len(line.lstrip())
                     if indent is None:
@@ -182,7 +189,7 @@ def get_notebook_function(nb, fname):
                         flines.append(line)
                     else:
                         return "\n".join(flines)
-                
+
                 if re.search(r"def\s+{}\(.*\):\s*".format(fname), line) and not def_found:
                     # print("Found {} in line {}".format(fname, line))
                     # set this to indent level
@@ -190,7 +197,7 @@ def get_notebook_function(nb, fname):
                     flines.append(line)
     return None
 
-    
+
 # extend the parser according to user input
 # the first case is if a detector was given, but no calibration type
 if len(sys.argv) == 3 and "-h" in sys.argv[2]:
@@ -200,10 +207,10 @@ if len(sys.argv) == 3 and "-h" in sys.argv[2]:
     except KeyError:
         print("Not one of the known detectors: {}".format(notebooks.keys()))
         exit()
-    
-    msg = "Options for detector {}\n".format(detector)    
+
+    msg = "Options for detector {}\n".format(detector)
     msg += "*"*len(msg)+"\n\n"
-    
+
     # basically, this creates help in the form of
     #
     # TYPE        some description that is
@@ -212,15 +219,17 @@ if len(sys.argv) == 3 and "-h" in sys.argv[2]:
     # The information is extracted from the first markdown cell of
     # the notebook.
     for caltype, notebook in det_notebooks.items():
-        nbpath = os.path.abspath("{}/{}".format(os.path.dirname(__file__), notebook["notebook"]))
+        nbpath = os.path.abspath(
+            "{}/{}".format(os.path.dirname(__file__), notebook["notebook"]))
         with open(nbpath, "r") as f:
             nb = nbformat.read(f, as_version=4)
             msg += make_epilog(nb, caltype=caltype)
-    
-    parser.epilog=msg
-# second case is if no detector was given either    
+
+    parser.epilog = msg
+# second case is if no detector was given either
 elif len(sys.argv) == 2 and "-h" in sys.argv[1]:
-    epilog = "Available detectors are: {}".format(", ".join([k for k in notebooks.keys()]))
+    epilog = "Available detectors are: {}".format(
+        ", ".join([k for k in notebooks.keys()]))
     parser.epilog = epilog
 # final case: a detector and type was given. We derive the arguments
 # from the corresponding notebook
@@ -228,7 +237,8 @@ elif len(sys.argv) >= 3:
     detector = sys.argv[1].upper()
     caltype = sys.argv[2].upper()
     try:
-        notebook = os.path.abspath("{}/{}".format(os.path.dirname(__file__), notebooks[detector][caltype]["notebook"]))
+        notebook = os.path.abspath(
+            "{}/{}".format(os.path.dirname(__file__), notebooks[detector][caltype]["notebook"]))
         cvar = notebooks[detector][caltype].get("concurrency",
                                                 {"parameter": None,
                                                  "default concurrency": None,
@@ -238,19 +248,19 @@ elif len(sys.argv) >= 3:
         exit()
     with open(notebook, "r") as f:
         nb = nbformat.read(f, as_version=4)
-        
+
         ext_func = notebooks[detector][caltype].get("extend parms", None)
-        
+
         def do_parse(nb, parser, overwrite_reqs=False):
             parser.description = make_epilog(nb)
             parms = extract_parameters(nb)
-            
+
             for p in parms:
-                    
-                helpstr = ("Default: %(default)s" if not p.comment 
+
+                helpstr = ("Default: %(default)s" if not p.comment
                            else "{}. Default: %(default)s".format(p.comment.replace("#", " ").strip()))
                 required = (p.comment is not None
-                            and "required" in p.comment 
+                            and "required" in p.comment
                             and not overwrite_reqs
                             and p.name != cvar)
 
@@ -262,44 +272,46 @@ elif len(sys.argv) >= 3:
 
                 if p.type == list or p.name == cvar:
                     if p.type is list:
-                        try: 
+                        try:
                             ltype = type(p.value[0])
                         except:
-                            print("List '{}' is empty. Parameter type can not be defined.".format(p.name))
-                            print("See first code cell in jupyter-notebook: '{}'".format(notebooks[detector][caltype]["notebook"]))
+                            print(
+                                "List '{}' is empty. Parameter type can not be defined.".format(p.name))
+                            print("See first code cell in jupyter-notebook: '{}'".format(
+                                notebooks[detector][caltype]["notebook"]))
                             exit()
                     else:
                         ltype = p.type
-                    
+
                     range_allowed = "RANGE ALLOWED" in p.comment.upper() if p.comment else False
                     pars_group.add_argument("--{}".format(consolize_name(p.name)),
-                                        nargs='+',
-                                        type=ltype if not range_allowed else str,
-                                        default=default,
-                                        help=helpstr,
-                                        required=required,
-                                        action=make_intelli_list(ltype) if range_allowed else None)
+                                            nargs='+',
+                                            type=ltype if not range_allowed else str,
+                                            default=default,
+                                            help=helpstr,
+                                            required=required,
+                                            action=make_intelli_list(ltype) if range_allowed else None)
                 elif p.type == bool:
                     pars_group.add_argument("--{}".format(consolize_name(p.name)),
-                                        action="store_true",
-                                        default=default,
-                                        help=helpstr,
-                                        required=required)
+                                            action="store_true",
+                                            default=default,
+                                            help=helpstr,
+                                            required=required)
 
                 else:
                     pars_group.add_argument("--{}".format(consolize_name(p.name)),
-                                        type=p.type,
-                                        default=default,
-                                        help=helpstr,
-                                        required=required)
-            
+                                            type=p.type,
+                                            default=default,
+                                            help=helpstr,
+                                            required=required)
+
         do_parse(nb, parser, True)
-        
+
         # extend parameters if needed
         ext_func = notebooks[detector][caltype].get("extend parms", None)
         if ext_func is not None:
             func = get_notebook_function(nb, ext_func)
-            
+
             if func is None:
                 warnings.warn("Didn't find concurrency function {} in notebook".format(ext_func),
                               RuntimeWarning)
@@ -317,24 +329,24 @@ elif len(sys.argv) >= 3:
                 if add_help:
                     sys.argv.append("--help")
                 args = deconsolize_args(vars(known))
-                
+
                 df = {}
-                
+
                 exec(func, df)
                 f = df[ext_func]
                 import inspect
                 sig = inspect.signature(f)
-                callargs = []                
+                callargs = []
                 for arg in sig.parameters:
                     callargs.append(args[arg])
-                
-                extention = f(*callargs)               
+
+                extention = f(*callargs)
                 fcc = first_code_cell(nb)
                 fcc["source"] += "\n"+extention
                 parser = make_initial_parser()
                 do_parse(nb, parser, False)
-                
-                
+
+
 def has_parm(parms, name):
     """ Check if a parameter of `name` exists in parms """
     for p in parms:
@@ -352,60 +364,67 @@ def concurrent_run(temp_path, nb, nbname, args, cparm=None, cval=None,
                    sequential=False, priority=2):
     """ Launch a concurrent job on the cluster via SLURM    
     """
-    
+
     if cparm is not None:
         args[cparm] = cval
-        
+
     suffix = flatten_list(cval)
     if "cluster_profile" in args:
-        args["cluster_profile"] = "{}_{}".format(args["cluster_profile"], suffix)
-        
+        args["cluster_profile"] = "{}_{}".format(
+            args["cluster_profile"], suffix)
+
     # first convert the notebook
     parms = extract_parameters(nb)
     params = parameter_values(parms, **args)
     new_nb = replace_definitions(nb, params, execute=False)
     base_name = nbname.replace(".ipynb", "")
-    new_name = "{}__{}__{}.ipynb".format(os.path.basename(base_name), cparm, suffix)
-    
+    new_name = "{}__{}__{}.ipynb".format(
+        os.path.basename(base_name), cparm, suffix)
+
     nbpath = "{}/{}".format(temp_path, new_name)
     with open(nbpath, "w") as f:
-        f.write(nbconvert.exporters.export(nbconvert.NotebookExporter, new_nb)[0])
-            
+        f.write(nbconvert.exporters.export(
+            nbconvert.NotebookExporter, new_nb)[0])
+
     # add finalization to the last job
     if final_job:
         import stat
         with open("{}/finalize.sh".format(temp_path), "w") as finfile:
-                finfile.write("#!/bin/tcsh\n")
-                finfile.write("module load texlive/2017\n")
-                finfile.write("PyExe=$(which python)\n")
-                finfile.write("if [[ $PyExe != *"karabo"* ]]; then module load anaconda/3; fi\n")
-                finfile.write("echo 'Running finalize script'\n")           
-                finfile.write("python3 -c {}\n".format(fmtcmd.format(joblist=job_list)))
+            finfile.write("#!/bin/tcsh\n")
+            finfile.write("module load texlive/2017\n")
+            finfile.write('if [[ `which python` != *"karabo"* ]];\n')
+            finfile.write("then module load anaconda/3; fi\n")
+            finfile.write("echo 'Running finalize script'\n")
+            finfile.write(
+                "python3 -c {}\n".format(fmtcmd.format(joblist=job_list)))
         all_stats = stat.S_IXUSR | stat.S_IWUSR | stat.S_IRUSR | stat.S_IRGRP | stat.S_IROTH
         os.chmod("{}/finalize.sh".format(temp_path), all_stats)
     # then run an sbatch job
     if not sequential:
         # calculate number of general nodes available
         free = int(check_output(free_nodes_cmd, shell=True).decode('utf8'))
-        preempt = int(check_output(preempt_nodes_cmd, shell=True).decode('utf8'))
+        preempt = int(check_output(
+            preempt_nodes_cmd, shell=True).decode('utf8'))
         if free + preempt >= max_reserved or priority > 1 or reservation == "":
-            srun_base = launcher_command.format(temp_path=temp_path) + " -p {}".format(sprof)
+            srun_base = launcher_command.format(
+                temp_path=temp_path) + " -p {}".format(sprof)
             srun_base = srun_base.split()
         else:
-            srun_base = launcher_command.format(temp_path=temp_path) + " --reservation={}".format(reservation)
-       	    srun_base =	srun_base.split()
+            srun_base = launcher_command.format(
+                temp_path=temp_path) + " --reservation={}".format(reservation)
+            srun_base = srun_base.split()
             print(" ".join(srun_base))
     else:
         srun_base = []
-        
-    
-    srun_base += [os.path.abspath("{}/bin/slurm_calibrate.sh".format(os.path.dirname(__file__))), # path to helper sh
-                  os.path.abspath(nbpath), # path to notebook
-                  python_path, # path to python
-                  ipython_path, # path to ipython
-                  jupyter_path, # path to jupyter                  
-                  ipcluster_path, # path to ipcluster
-                  karabo_activate_path if karabo_activate_path else "NO_KRB_ACTIVATE", # karabo activate path
+
+    srun_base += [os.path.abspath("{}/bin/slurm_calibrate.sh".format(os.path.dirname(__file__))),  # path to helper sh
+                  os.path.abspath(nbpath),  # path to notebook
+                  python_path,  # path to python
+                  ipython_path,  # path to ipython
+                  jupyter_path,  # path to jupyter
+                  ipcluster_path,  # path to ipcluster
+                  # karabo activate path
+                  karabo_activate_path if karabo_activate_path else "NO_KRB_ACTIVATE",
                   args.get("cluster_profile", "NO_CLUSTER"),
                   '"{}"'.format(base_name.upper()),
                   '"{}"'.format(args["detector"].upper()),
@@ -413,7 +432,7 @@ def concurrent_run(temp_path, nb, nbname, args, cparm=None, cval=None,
                   "FINAL" if final_job else "NONFINAL",
                   "{}/finalize.sh".format(os.path.abspath(temp_path)),
                   str(cluster_cores)]
-    
+
     output = check_output(srun_base).decode('utf8')
     jobid = None
     if not sequential:
@@ -422,38 +441,39 @@ def concurrent_run(temp_path, nb, nbname, args, cparm=None, cval=None,
                 jobid = line.split(" ")[3]
         print("Submitted job: {}".format(jobid))
     return jobid
-    
-    
+
+
 def run():
     """ Run a calibration task with parser arguments """
-    
+
     args = deconsolize_args(vars(parser.parse_args()))
     detector = args["detector"].upper()
     caltype = args["type"].upper()
     sequential = args["no_cluster_job"]
     priority = int(args['priority'])
-    
+
     if sequential:
         print("Not running on cluster")
-    
+
     try:
         notebook = notebooks[detector][caltype]["notebook"]
-        notebook = os.path.abspath("{}/{}".format(os.path.dirname(__file__), notebook))
+        notebook = os.path.abspath(
+            "{}/{}".format(os.path.dirname(__file__), notebook))
         concurrency = notebooks[detector][caltype].get("concurrency", None)
         version = notebooks[detector][caltype].get("version", "NA")
         author = notebooks[detector][caltype].get("author", "anonymous")
-        
+
     except KeyError:
         print("Not one of the known calibrations or detectors")
         return
     with open(notebook, "r") as f:
         nb = nbformat.read(f, as_version=4)
-                
+
         # extend parameters if needed
         ext_func = notebooks[detector][caltype].get("extend parms", None)
         if ext_func is not None:
             func = get_notebook_function(nb, ext_func)
-            
+
             if func is None:
                 warnings.warn("Didn't find concurrency function {} in notebook".format(ext_func),
                               RuntimeWarning)
@@ -461,24 +481,24 @@ def run():
             else:
                 # remove help calls as they will cause the argument parser to exit
                 known, remaining = parser.parse_known_args()
-                args = deconsolize_args(vars(known))                
-                df = {}                
+                args = deconsolize_args(vars(known))
+                df = {}
                 exec(func, df)
                 f = df[ext_func]
                 import inspect
                 sig = inspect.signature(f)
-                callargs = []                
+                callargs = []
                 for arg in sig.parameters:
                     callargs.append(args[arg])
-                
-                extention = f(*callargs)               
+
+                extention = f(*callargs)
                 fcc = first_code_cell(nb)
                 fcc["source"] += "\n"+extention
-        
+
         parms = extract_parameters(nb)
-        
+
         title, author, version = extract_title_author_version(nb)
-        
+
         if not title:
             title = "{}: {} Calibration".format(detector, caltype)
         if not author:
@@ -486,22 +506,23 @@ def run():
         if not version:
             version = ""
 
-        title = title.rstrip()     
+        title = title.rstrip()
 
         run_uuid = uuid4()
-        
+
         # check that a modules field is present if we run concurrently
         if not has_parm(parms,  concurrency["parameter"]) and concurrency["parameter"] is not None:
-            msg = "Notebook cannot be run concurrently: no {} parameter".format(concurrency["parameter"])
+            msg = "Notebook cannot be run concurrently: no {} parameter".format(
+                concurrency["parameter"])
             warnings.warn(msg, RuntimeWarning)
-            
+
         if not has_parm(parms, "cluster_profile"):
-            warnings.warn("Notebook has no cluster_profile parameter, "+
+            warnings.warn("Notebook has no cluster_profile parameter, " +
                           "running on cluster will likeyl fail!", RuntimeWarning)
         elif "cluster_profile" not in args or args["cluster_profile"] == parser.get_default('cluster_profile'):
             args["cluster_profile"] = "slurm_prof_{}".format(run_uuid)
 
-        # create a temporary output directory to work in        
+        # create a temporary output directory to work in
         run_tmp_path = "{}/slurm_tmp_{}".format(temp_path, run_uuid)
         os.makedirs(run_tmp_path)
 
@@ -512,14 +533,15 @@ def run():
             finfile.write("================ \n")
             for p in parms:
                 finfile.write("{} \n\n".format(p.comment))
-                finfile.write(".. parsed-literal::\n")                           
+                finfile.write(".. parsed-literal::\n")
                 if p.type is str:
                     finfile.write("    {} = '{}' \n\n".format(p.name, p.value))
                 else:
                     finfile.write("    {} = {} \n\n".format(p.name, p.value))
 
         # wait on all jobs to run and then finalize the run by creating a report from the notebooks
-        out_path = "{}/{}/{}/{}".format(report_path, detector.upper(), caltype.upper(), datetime.now().isoformat())
+        out_path = "{}/{}/{}/{}".format(report_path, detector.upper(),
+                                        caltype.upper(), datetime.now().isoformat())
         if try_report_to_output:
             if "out_folder" in args:
                 out_path = os.path.abspath(args["out_folder"])
@@ -530,22 +552,23 @@ def run():
                     else:
                         out_path = "{}/{}/".format(out_path, rr)
             else:
-                print("No 'out_folder' defined as argument, outputting to '{}' instead.".format(out_path))
+                print("No 'out_folder' defined as argument, outputting to '{}' instead.".format(
+                    out_path))
         else:
             os.makedirs(out_path)
         cmd = ('"from cal_tools.tools import finalize; ' +
-               'finalize({{joblist}}, \'{run_path}\', \'{out_path}\', '+
+               'finalize({{joblist}}, \'{run_path}\', \'{out_path}\', ' +
                '\'{project}\', \'{calibration}\', \'{author}\', '
                '\'{version}\', \'{report_to}\')"')
-        
-        report_to = title.replace(" ","")
+
+        report_to = title.replace(" ", "")
         if args["report_to"] is not None:
             report_to = args["report_to"]
 
         fmtcmd = cmd.format(run_path=run_tmp_path, out_path=out_path,
                             project=title, calibration=title,
                             author=author, version=version, report_to=report_to)
-        
+
         joblist = []
         if concurrency.get("parameter", None) is None:
             cluster_cores = concurrency.get("cluster cores", 8)
@@ -559,23 +582,25 @@ def run():
             cluster_cores = concurrency.get("cluster cores", 8)
 
             con_func = concurrency.get("use function", None)
-            
+
             if cvals is None:
                 defcval = concurrency.get("default concurrency", None)
                 if defcval is not None:
-                    print("Concurrency parameter '{}' is taken from notebooks.py".format(cvar))
+                    print(
+                        "Concurrency parameter '{}' is taken from notebooks.py".format(cvar))
                     if not isinstance(defcval, (list, tuple)):
                         cvals = range(defcval)
                     else:
                         cvals = defcval
 
             if cvals is None:
-                print (parms)
+                print(parms)
                 for p in parms:
                     if p.name == cvar:
                         defcval = p.value
                 if defcval is not None:
-                    print("Concurrency parameter '{}' is taken from '{}'".format(cvar, notebook))
+                    print("Concurrency parameter '{}' is taken from '{}'".format(
+                        cvar, notebook))
                     if not isinstance(defcval, (list, tuple)):
                         cvals = [defcval]
                     else:
@@ -586,7 +611,7 @@ def run():
                 if func is None:
                     warnings.warn("Didn't find concurrency function {} in notebook".format(con_func),
                                   RuntimeWarning)
-                    
+
                 else:
                     df = {}
                     exec(func, df)
@@ -595,32 +620,33 @@ def run():
                     sig = inspect.signature(f)
                     callargs = []
                     if cvals:
-                        
-                        args[cvar] = cvals # in case default needs to be used for function call
+
+                        # in case default needs to be used for function call
+                        args[cvar] = cvals
                     for arg in sig.parameters:
                         callargs.append(args[arg])
                     cvals = f(*callargs)
                     print("Split concurrency into {}".format(cvals))
-            
+
             # get expected type
             cvtype = list
             for p in parms:
                 if p.name == cvar:
                     cvtype = p.type
                     break
-                    
+
             for cnum, cval in enumerate(cvals):
                 jobid = concurrent_run(run_tmp_path, nb, notebook, args,
-                                       cvar, [cval,] if not isinstance(cval, list) and cvtype is list else cval,
-                                       cnum==len(list(cvals))-1, joblist, fmtcmd,
+                                       cvar, [cval, ] if not isinstance(
+                                           cval, list) and cvtype is list else cval,
+                                       cnum == len(list(cvals)) -
+                                       1, joblist, fmtcmd,
                                        cluster_cores=cluster_cores, sequential=sequential, priority=priority)
                 joblist.append(jobid)
-                    
-                    
-        if not all([j is None for j in joblist]):                
+
+        if not all([j is None for j in joblist]):
             print("Submitted the following SLURM jobs: {}".format(",".join(joblist)))
 
 
 if __name__ == "__main__":
     run()
-