You need to sign in or sign up before continuing.
Newer
Older
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
#!/usr/bin/env python3
"""
Reads user input data, constructs snakemake command to run the pipeline
along with their required modules, and submits them as slurm job.
Run the script with --help flag to see its available options.
Example usage:
IO_CONFIG=".test/configs/user_io_config.yaml"
src/run_pipeline.py --io_config $IO_CONFIG
"""
import argparse
from pathlib import Path
import os.path
import yaml
from utility_cgds.cgds.pipeline.src.submit_slurm_job import submit_slurm_job
def make_dir(d):
"""
Ensure directory exists
"""
Path(d).mkdir(parents=True, exist_ok=True)
return None
# def process_user_io_config(f):
# """
# Reads input-output config file and
# 1. Returns paths that need to be mounted to singularity
# 2. Create project_path dir if it doesn't exist
# 3. Get paths to store job scripts and their logs
# """
# # get dirs to store slurmpy job scripts and their logs, and ensure they exist
# logs_dir = data["logs_dir"]
# make_dir(logs_dir)
# return logs_dir
def create_snakemake_command(args):
"""
Construct snakemake command to run the pipeline
"""
# slurm profile dir for snakemake to properly handle to cluster job fails
snakemake_profile_dir = (
Path(__file__).absolute().parents[1]
/ "configs/snakemake_profile/{{cookiecutter.profile_name}}/"
)
# use absolute path to run it from anywhere
snakefile_path = Path(__file__).absolute().parent / "workflow" / "Snakefile"
# snakemake command to run
cmd = [
"snakemake",
f"--snakefile {snakefile_path}",
f"--config modules='{args.modules}' project_name={args.project_name} ped={args.pedigree} out_dir={args.outdir}",
f"--restart-times {args.rerun_failed}",
"--use-conda",
f"--profile '{snakemake_profile_dir}'",
f"--cluster-config '{args.cluster_config}'",
"--cluster 'sbatch --ntasks {cluster.ntasks} --partition {cluster.partition}"
" --cpus-per-task {cluster.cpus-per-task} --mem {cluster.mem}"
" --output {cluster.output} --parsable'",
]
# add any user provided extra args for snakemake
if args.extra_args:
cmd += [args.extra_args]
# adds option for dryrun if requested
if args.dryrun:
cmd += ["--dryrun"]
return cmd
def main(args):
# process user's input-output config file
slurmpy_logs_dir = process_user_io_config(args.io_config)
# get snakemake command to execute for the pipeline
snakemake_cmd = create_snakemake_command(args)
# put together pipeline command to be run
anaconda_module = "Anaconda3/2020.02"
snakemake_module = "snakemake/5.9.1-foss-2018b-Python-3.6.6"
pipeline_cmd = "\n".join(
[
f"module reset",
f"module load {anaconda_module} {snakemake_module}",
" \\\n\t".join(snakemake_cmd),
]
)
print(
f'{"#" * 40}\n'
f"Input-output configs provided by user: '{args.io_config}'\n"
f"Cluster configs : '{args.cluster_config}'\n\n"
"Command to run the pipeline:\n"
"\x1B[31;95m" + pipeline_cmd + "\x1B[0m\n"
f'{"#" * 40}\n'
)
# submit snakemake command as a slurm job
# Choose resources depending on if manta_execute rule will be run
# as localrule in snakemake or not.
if args.manta_execution_cluster:
slurm_resources = {
"partition": "short", # express(max 2 hrs), short(max 12 hrs), medium(max 50 hrs), long(max 150 hrs)
"ntasks": "1",
"time": "12:00:00",
"cpus-per-task": "1",
"mem": "2G",
}
else:
slurm_resources = {
"partition": "express", # express(max 2 hrs), short(max 12 hrs), medium(max 50 hrs), long(max 150 hrs)
"ntasks": "1",
"time": "2:00:00",
"cpus-per-task": f"{args.cores}",
"mem": "8G",
}
job_dict = {
"basename": "svCaller-pipeline-",
"log_dir": slurmpy_logs_dir,
"run_locally": args.run_locally,
"resources": slurm_resources,
}
submit_slurm_job(pipeline_cmd, job_dict)
return None
def is_valid_file(p, arg):
if not Path(arg).is_file():
p.error("The file '%s' does not exist!" % arg)
else:
return arg
def is_valid_dir(p, arg):
if not Path(os.path.expandvars(arg)).is_dir():
p.error("The directory '%s' does not exist!" % arg)
else:
return os.path.expandvars(arg)
if __name__ == "__main__":
PARSER = argparse.ArgumentParser(
description="A wrapper for QuaC pipeline.",
formatter_class=argparse.ArgumentDefaultsHelpFormatter,
)
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
############ Args for QuaC workflow ############
WORKFLOW = PARSER.add_argument_group("QuaC workflow options")
WORKFLOW.add_argument(
"--project_name",
help="Project name",
metavar="",
)
WORKFLOW.add_argument(
"--pedigree",
help="Pedigree filepath. Must be specific for the project supplied via --project_name",
type=lambda x: is_valid_file(PARSER, x),
metavar="",
)
QUAC_OUTDIR_DEFAULT = "$USER_SCRATCH/tmp/quac/results"
WORKFLOW.add_argument(
"--outdir",
help="Out directory path",
default=QUAC_OUTDIR_DEFAULT,
type=lambda x: is_valid_dir(PARSER, x),
metavar="",
)
WORKFLOW.add_argument(
"-m",
"--select_modules",
help="Runs only these user-specified modules(s). If >1, use comma as delimiter. \
Useful for development.",
default="all",
metavar="",
)
############ Args for QuaC wrapper tool ############
WRAPPER = PARSER.add_argument_group("QuaC wrapper options")
CLUSTER_CONFIG_DEFAULT = Path(__file__).absolute().parents[1] / "configs/cluster_config.json"
WRAPPER.add_argument(
"--cluster_config",
help="Cluster config json file. Needed for snakemake to run jobs in cluster.",
type=lambda x: is_valid_file(PARSER, x),
metavar="",
)
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
WRAPPER.add_argument(
"-e",
"--extra_args",
help="Pass additional custom args to snakemake. Equal symbol is needed "
"for assignment as in this example: -e='--forceall'",
metavar="",
)
WRAPPER.add_argument(
"-n",
"--dryrun",
action="store_true",
help="Flag to dry-run snakemake. Does not execute anything, and "
"just display what would be done. Equivalent to '--extra_args \"-n\"'",
)
WRAPPER.add_argument(
"-l",
"--run_locally",
action="store_true",
help="Flag to run the snakemake locally and not as a Slurm job. "
"Useful for testing purposes.",
)
RERUN_FAILED_DEFAULT = 1
WRAPPER.add_argument(
"--rerun_failed",
help=f"Number of times snakemake restarts failed jobs. This may be set to >0 "
"to avoid pipeline failing due to job fails due to random SLURM issues",
default=RERUN_FAILED_DEFAULT,
metavar="",
)
ARGS = PARSER.parse_args()
main(ARGS)