forked from CCBR/LOGAN
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathwgs-seek_bak
executable file
·501 lines (436 loc) · 20.5 KB
/
wgs-seek_bak
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
#!/usr/bin/env python3
# -*- coding: UTF-8 -*-
"""
ABOUT: This is the main entry for the GATK4 WES pipeline.
REQUIRES:
- python>=3.5
- nextflow
- singularity (recommended==latest)
DISCLAIMER:
PUBLIC DOMAIN NOTICE
CCR Collaborative Bioinformatics Resource (CCBR)
National Cancer Institute (NCI)
This software/database is a "United States Government Work" under
the terms of the United States Copyright Act. It was written as
part of the author's official duties as a United States Government
employee and thus cannot be copyrighted. This software is freely
available to the public for use.
Although all reasonable efforts have been taken to ensure the
accuracy and reliability of the software and data, CCBR do not and
cannot warrant the performance or results that may be obtained by
using this software or data. CCBR and NCI disclaim all warranties,
express or implied, including warranties of performance,
merchantability or fitness for any particular purpose.
Please cite the author and the "NIH Biowulf Cluster" in any work or
product based on this material.
USAGE:
$ wgs-seek <run> [OPTIONS]
EXAMPLE:
$ wgs-seek run --input *.R{1,2}.fastq.gz --output WGS_hg38/ --mode biowulf --sample_sheet pairs.tsv
"""
# Python standard library
from __future__ import print_function
import sys, os, subprocess, re, json, textwrap
# 3rd party imports from pypi
import argparse # potential python3 3rd party package, added in python/3.5
def run(sub_args):
"""Initialize, setup, and run the GATK4 WGS pipeline.
Calls initialize() to create output directory and copy over pipeline resources,
setup() to create the pipeline config file, dryrun() to ensure their are no issues
before running the pipeline, and finally run() to execute the Nextflow workflow.
@param sub_args <parser.parse_args() object>:
Parsed arguments for run sub-command
"""
# Step 0. Check for required dependencies
# The pipelines has only two requirements:
# nextflow and singularity
require(['nextflow', 'singularity'], ['nextflow', 'singularity'])
# Step 1. Initialize working directory,
# copy over required resources to run
# the pipeline
git_repo = __home__
input_files = init(
repo_path = git_repo,
output_path = sub_args.output,
links = sub_args.input
)
# Step 2. Setup pipeline for execution,
# dynamically create config.json config
# file from user inputs and base config
# templates
config = setup(sub_args,
ifiles = input_files,
repo_path = git_repo,
output_path = sub_args.output
)
# Step 3. Resolve docker/singularity bind
# paths from the config file.
bindpaths = bind(
sub_args,
config = config
)
# Optional Step: Dry-run pipeline
if sub_args.dry_run:
# Dryrun pipeline
dryrun_output = dryrun(outdir = sub_args.output) # python3 returns byte-string representation
print("\nDry-running exome-seek pipeline:\n{}".format(dryrun_output.decode("utf-8")))
sys.exit(0)
# Step 4. Orchestrate pipeline execution,
# run pipeline in locally on a compute node
# for debugging purposes or submit the master
# job to the job scheduler, SLURM, and create
# logging file
if not exists(os.path.join(sub_args.output, 'logfiles')):
# Create directory for logfiles
os.makedirs(os.path.join(sub_args.output, 'logfiles'))
if sub_args.mode == 'local':
log = os.path.join(sub_args.output, 'logfiles', 'snakemake.log')
else:
log = os.path.join(sub_args.output, 'logfiles', 'master.log')
logfh = open(log, 'w')
wait = ''
if sub_args.wait: wait = '--wait'
mjob = runner(mode = sub_args.mode,
outdir = sub_args.output,
# additional_bind_paths = all_bind_paths,
alt_cache = sub_args.singularity_cache,
threads = int(sub_args.threads),
jobname = sub_args.job_name,
submission_script='runner',
logger = logfh,
additional_bind_paths = ",".join(bindpaths),
tmp_dir = sub_args.tmp_dir,
wait = wait
)
# Step 5. Wait for subprocess to complete,
# this is blocking and not asynchronous
if not sub_args.silent:
print("\nRunning GATK4 WES pipeline in '{}' mode...".format(sub_args.mode))
mjob.wait()
logfh.close()
# Step 6. Relay information about submission
# of the master job or the exit code of the
# pipeline that ran in local mode
if sub_args.mode == 'local':
if int(mjob.returncode) == 0:
print('GATK4 WES pipeline has successfully completed')
else:
fatal('GATK4 WES pipeline failed. Please see {} for more information.'.format(
os.path.join(sub_args.output, 'logfiles', 'snakemake.log')))
elif sub_args.mode == 'slurm':
jobid = open(os.path.join(sub_args.output, 'logfiles', 'mjobid.log')).read().strip()
if not sub_args.silent:
if int(mjob.returncode) == 0:
print('Successfully submitted master job: ', end="")
else:
fatal('Error occurred when submitting the master job.')
print(jobid)
def unlock(sub_args):
"""Unlocks a previous runs output directory. If snakemake fails ungracefully,
it maybe required to unlock the working directory before proceeding again.
This is rare but it does occasionally happen. Maybe worth add a --force
option to delete the '.snakemake/' directory in the future.
@param sub_args <parser.parse_args() object>:
Parsed arguments for unlock sub-command
"""
print("Unlocking the pipeline's output directory...")
outdir = sub_args.output
try:
unlock_output = subprocess.check_output([
'snakemake', '--unlock',
'--cores', '1',
'--configfile=config.json'
], cwd = outdir,
stderr=subprocess.STDOUT)
except subprocess.CalledProcessError as e:
# Unlocking process returned a non-zero exit code
sys.exit("{}\n{}".format(e, e.output))
print("Successfully unlocked the pipeline's working directory!")
def cache(sub_args):
"""Caches remote resources or reference files stored on DockerHub and S3.
Local SIFs will be created from images defined in 'config/containers/images.json'.
@TODO: add option to cache other shared S3 resources (i.e. kraken db and fqscreen indices)
@param sub_args <parser.parse_args() object>:
Parsed arguments for unlock sub-command
"""
print(sub_args)
fatal('NotImplementedError... Comming Soon!')
sif_cache = sub_args.sif_cache
# Get absolute PATH to templates in exome-seek git repo
repo_path = os.path.dirname(os.path.abspath(__file__))
images = os.path.join(repo_path, 'config','containers', 'images.json')
# Create image cache
if not exists(sif_cache):
# Pipeline output directory does not exist on filesystem
os.makedirs(sif_cache)
elif exists(sif_cache) and os.path.isfile(sif_cache):
# Provided Path for pipeline output directory exists as file
raise OSError("""\n\tFatal: Failed to create provided sif cache directory!
User provided --sif-cache PATH already exists on the filesystem as a file.
Please {} cache again with a different --sif-cache PATH.
""".format(sys.argv[0])
)
# Check if local SIFs already exist on the filesystem
with open(images, 'r') as fh:
data = json.load(fh)
pull = []
for image, uri in data['images'].items():
sif = os.path.join(sif_cache, '{}.sif'.format(os.path.basename(uri).replace(':', '_')))
if not exists(sif):
# If local sif does not exist on in cache, print warning
# and default to pulling from URI in config/containers/images.json
print('Image will be pulled from "{}".'.format(uri), file=sys.stderr)
pull.append(uri)
if not pull:
# Nothing to do!
print('Singularity image cache is already up to update!')
else:
# There are image(s) that need to be pulled
if not sub_args.dry_run:
# submission_script for exome-seek cache is /path/to/output/resources/cacher
# Quote user provided values to avoid shell injections
masterjob = subprocess.Popen(
'sbatch --parsable -J pl:cache --gres=lscratch:200 --time=10:00:00 --mail-type=BEGIN,END,FAIL ' +
str(os.path.join(repo_path, 'resources', 'cacher')) + ' slurm ' +
" -s '{}' ".format(sif_cache) +
" -i '{}' ".format(','.join(pull)) +
" -t '/lscratch/${SLURM_JOB_ID}/.singularity/' ",
cwd = sif_cache, shell=True, stderr = subprocess.STDOUT, stdout = subprocess.PIPE)
masterjob.communicate()
print('exome-seek reference cacher submitted master job with exit-code: {}'.format(masterjob.returncode))
def parsed_arguments():
"""Parses user-provided command-line arguments. Requires argparse and textwrap
package. argparse was added to standard lib in python 3.5 and textwrap was added
in python 3.5. To create custom help formatting for subparsers a docstring is
used create the help message for required options. argparse does not support named
subparser groups, which is normally what would be used to accomphish this reformatting.
As so, the help message for require options must be suppressed. If a new required arg
is added to a subparser, it must be added to the docstring and the usage statement
also must be updated.
"""
# Create a top-level parser
parser = argparse.ArgumentParser(description = 'exome-seek: a highly-reproducible GATK4 WES pipeline')
# Adding Verison information
#parser.add_argument('--version', action = 'version', version='%(prog)s {}'.format(__version__))
# Create sub-command parser
subparsers = parser.add_subparsers(help='List of available sub-commands')
# Sub-parser for the "run" sub-command
# Grouped sub-parser arguments are currently not supported by argparse.
# https://bugs.python.org/issue9341
# Here is a work around to create more useful help message for named
# options that are required! Please note: if a required arg is added the
# description below should be updated (i.e. update usage and add new option)
required_run_options = textwrap.dedent("""\
usage: exome-seek run [--help] \\
[--mode {local, slurm}] \\
[--job-name JOB_NAME] \\
[--callers {mutect2,mutect,strelka, ...}] \\
[--pairs PAIRS] \\
[--ffpe] \\
[--cnv] \\
[--dry-run] \\
[--silent] \\
[--singularity-cache SINGULARITY_CACHE] \\
[--sif-cache SIF_CACHE] \\
[--tmpdir TMP_DIR] \\
[--threads THREADS] \\
[--wait] \\
--input INPUT [INPUT ...] \\
--output OUTPUT \\
--genome {hg38, mm10, ...} \\
--targets TARGETS
required arguments:
--input INPUT [INPUT ...]
Input FastQ or BAM file(s) to process. One or more input
files can be provided. The pipeline does NOT support
single-end WES data. Please provide either a set of
FastQ files or a set of BAM files. The pipeline does
NOT support processing a mixture of FastQ files and
BAM files.
Example: --input .tests/*.R?.fastq.gz
--output OUTPUT
Path to an output directory. This location is where
the pipeline will create all of its output files, also
known as the pipeline's working directory. If the user
provided working directory has not been initialized,
it will be created automatically.
Example: --output /data/$USER/WES_hg38
--genome {hg38, mm10, ...}
Reference genome. This option defines the reference
genome of the samples. Currently, hg38 and mm10 are supported.
Support for additional and custom genomes will be added soon.
Example: --genome hg38
--targets TARGETS
Path to exome targets BED file. This file can be
obtained from the manufacturer of the target capture
kit that was used.
""")
# Display example usage in epilog
run_epilog = textwrap.dedent("""\
example:
# Step 1.) Grab an interactive node (do not run on head node)
sinteractive --mem=8g --cpus-per-task=4
module purge
module load singularity snakemake
# Step 2A.) Dry-run the pipeline
./exome-seek run --input .tests/*.R?.fastq.gz \\
--output /data/$USER/WES_hg38 \\
--genome hg38 \\
--targets Agilent_SSv7_allExons_hg38.bed \\
--mode slurm \\
--dry-run
# Step 2B.) Run the GATK4 WES pipeline
# The slurm mode will submit jobs to the cluster.
# It is recommended running exome-seek in this mode.
./exome-seek run --input .tests/*.R?.fastq.gz \\
--output /data/$USER/WES_hg38 \\
--genome hg38 \\
--targets Agilent_SSv7_allExons_hg38.bed \\
--mode slurm
version:
{}
""")#.format(__version__))
# Supressing help message of required args to overcome no sub-parser named groups
subparser_run = subparsers.add_parser('run',
help = 'Run the GATK4 WES pipeline with input files.',
usage = argparse.SUPPRESS,
formatter_class=argparse.RawDescriptionHelpFormatter,
description = required_run_options,
epilog = run_epilog
)
# Required Arguments
# Input FastQ files
subparser_run.add_argument('--input',
# Check if the file exists and if it is readable
type = lambda file: permissions(parser, file, os.R_OK),
required = True,
nargs = '+',
help = argparse.SUPPRESS
)
# Output Directory (analysis working directory)
subparser_run.add_argument('--output',
type = lambda option: os.path.abspath(os.path.expanduser(option)),
required = True,
help = argparse.SUPPRESS
)
# Reference Genome (to dynamically select reference files)
subparser_run.add_argument('--genome',
required = True,
#choices = ['hg38', 'mm10'],
type = lambda option: str(genome_options(subparser_run, option, ['hg38','mm10'])),
help = argparse.SUPPRESS
)
# Exome TARGET BED file
subparser_run.add_argument('--targets',
# Check if the file exists and if it is readable
type = lambda file: permissions(parser, file, os.R_OK),
required = True,
help = argparse.SUPPRESS
)
# Optional Arguments
# Execution Method (run locally on a compute node, submit to SLURM job scheduler, etc.)
subparser_run.add_argument('--mode',
type = str,
required = False,
default = "biowulf",
choices = ['biowulf', 'local'],
help = 'Execution Method [Default: slurm]. Defines the mode or method of execution. \
Vaild mode options include: local or slurm. \
local: uses local method of execution. local executions will run serially on \
compute instance. This is useful for testing, debugging, or when a users does \
not have access to a high performance computing environment. If this option is \
not provided, it will default to a local execution mode. \
slurm: uses slurm and singularity backend. The slurm execution method will submit \
jobs to a cluster. It is recommended running exome-seek in this mode as execution \
will be significantly faster in a distributed environment. \
Example: --mode slurm'
)
# Name of master job
subparser_run.add_argument('--job-name',
type = str,
required = False,
default = 'pl:wgs-seek',
help = 'Set the name of the pipeline\'s master job. \
When submitting the pipeline to a job scheduler, like SLURM, \
this option always you to set the name of the pipeline\'s master \
job. By default, the name of the pipeline\'s master job \
is set to "pl:exome-seek". \
Example: --job-name WES_hg38_main'
)
# Tumor normal pairs file
subparser_run.add_argument('--pairs',
# Check if the file exists and if it is readable
type = lambda file: permissions(parser, file, os.R_OK),
required = False,
help = 'Tumor normal pairs file. This tab delimited file contains two columns with the names \
of tumor and normal pairs, one per line. The header of the file needs to be "Tumor" for the \
tumor column and "Normal" for the normal column.'
)
# Correction for FFPE samples
subparser_run.add_argument('--ffpe',
action = 'store_true',
required = False,
default = False,
help = 'FFPE correction. Runs an additional filtering step for Formalin-Fixed Paraffin-Embedded \
(FFPE) samples. Do NOT use this option with non-FFPE samples.'
)
# Call CNVs
subparser_run.add_argument('--cnv',
action = 'store_true',
required = False,
default = False,
help = 'Call copy number variations or CNVs. CNVs will only be called from tumor-normal pairs. \
If this option is provided without providing a --pairs file, CNVs will NOT be called.'
)
# Silent output mode
subparser_run.add_argument('--silent',
action = 'store_true',
required = False,
default = False,
help = 'Silence standard output. Reduces the amount of information directed \
to standard output when submitting master job to the job scheduler. Only the \
job id of the master job is returned.'
)
# Base directory to write temporary files
subparser_run.add_argument('--tmp-dir',
type = str,
required = False,
default = '/lscratch/$SLURM_JOBID/',
help = 'Path on the filesystem for writing intermediate, temporary output \
files. By default, this variable is set to \'/lscratch/$SLURM_JOBID\' \
for backwards compatibility with the NIH\'s Biowulf cluster; however, \
if you are running the pipeline on another cluster, this option will \
need to be specified. Ideally, this path should point to a dedicated \
location on the filesystem for writing tmp files. On many systems, this \
location is set to somewhere in /scratch. If you need to inject a variable \
into this string that should NOT be expanded, please quote this options \
value in single quotes. As an example, on the NCI/NIH FRCE cluster the \
value of this option would be set to \
--tmp-dir \'/scratch/cluster_scratch/$USER/\', \
default: \'/lscratch/$SLURM_JOBID/\''
)
# Number of threads for the exome-seek pipeline's main proceess
subparser_run.add_argument('--threads',
type = int,
required = False,
default = 2,
help = 'Max number of threads for local processes. It is recommended \
setting this vaule to the maximum number of CPUs available on the host \
machine, default: 2.'
)
# Define handlers for each sub-parser
subparser_run.set_defaults(func = run)
#subparser_unlock.set_defaults(func = unlock)
#subparser_cache.set_defaults(func = cache)
# Parse command-line args
args = parser.parse_args()
return args
def main():
# Collect args for sub-command
args = parsed_arguments()
# Display version information
#err('wgs-seek ({})'.format(__version__))
# Mediator method to call sub-command's set handler function
args.func(args)
if __name__ == '__main__':
main()