-
Notifications
You must be signed in to change notification settings - Fork 216
/
Copy pathparserCommon.py
executable file
·927 lines (810 loc) · 44.8 KB
/
parserCommon.py
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
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
import argparse
import os
try: # keep python 3.7 support.
from importlib.metadata import version
except ModuleNotFoundError:
from importlib_metadata import version
def check_float_0_1(value):
v = float(value)
if v < 0.0 or v > 1.0:
raise argparse.ArgumentTypeError("%s is an invalid floating point value. It must be between 0.0 and 1.0" % value)
return v
def check_list_of_comma_values(value):
if value is None:
return None
for foo in value:
foo = value.split(",")
if len(foo) < 2:
raise argparse.ArgumentTypeError("%s is an invalid element of a list of comma separated values. "
"Only argument elements of the following form are accepted: 'foo,bar'" % foo)
return value
def output(args=None):
parser = argparse.ArgumentParser(add_help=False)
group = parser.add_argument_group('Output')
group.add_argument('--outFileName', '-o',
help='Output file name.',
metavar='FILENAME',
type=writableFile,
required=True)
group.add_argument('--outFileFormat', '-of',
help='Output file type. Either "bigwig" or "bedgraph".',
choices=['bigwig', 'bedgraph'],
default='bigwig')
return parser
def read_options():
"""Common arguments related to BAM files and the interpretation
of the read coverage
"""
parser = argparse.ArgumentParser(add_help=False)
group = parser.add_argument_group('Read processing options')
group.add_argument('--extendReads', '-e',
help='This parameter allows the extension of reads to '
'fragment size. If set, each read is '
'extended, without exception.\n'
'*NOTE*: This feature is generally NOT recommended for '
'spliced-read data, such as RNA-seq, as it would '
'extend reads over skipped regions.\n'
'*Single-end*: Requires a user specified value for the '
'final fragment length. Reads that already exceed this '
'fragment length will not be extended.\n'
'*Paired-end*: Reads with mates are always extended to '
'match the fragment size defined by the two read mates. '
'Unmated reads, mate reads that map too far apart '
'(>4x fragment length) or even map to different '
'chromosomes are treated like single-end reads. The input '
'of a fragment length value is optional. If '
'no value is specified, it is estimated from the '
'data (mean of the fragment size of all mate reads).\n',
type=int,
nargs='?',
const=True,
default=False,
metavar="INT bp")
group.add_argument('--ignoreDuplicates',
help='If set, reads that have the same orientation '
'and start position will be considered only '
'once. If reads are paired, the mate\'s position '
'also has to coincide to ignore a read.',
action='store_true'
)
group.add_argument('--minMappingQuality',
metavar='INT',
help='If set, only reads that have a mapping '
'quality score of at least this are '
'considered.',
type=int,
)
group.add_argument('--centerReads',
help='By adding this option, reads are centered with '
'respect to the fragment length. For paired-end data, '
'the read is centered at the fragment length defined '
'by the two ends of the fragment. For single-end data, the '
'given fragment length is used. This option is '
'useful to get a sharper signal around enriched '
'regions.',
action='store_true')
group.add_argument('--samFlagInclude',
help='Include reads based on the SAM flag. For example, '
'to get only reads that are the first mate, use a flag of 64. '
'This is useful to count properly paired reads only once, '
'as otherwise the second mate will be also considered for the '
'coverage. (Default: %(default)s)',
metavar='INT',
default=None,
type=int,
required=False)
group.add_argument('--samFlagExclude',
help='Exclude reads based on the SAM flag. For example, '
'to get only reads that map to the forward strand, use '
'--samFlagExclude 16, where 16 is the SAM flag for reads '
'that map to the reverse strand. (Default: %(default)s)',
metavar='INT',
default=None,
type=int,
required=False)
group.add_argument('--minFragmentLength',
help='The minimum fragment length needed for read/pair '
'inclusion. This option is primarily useful '
'in ATACseq experiments, for filtering mono- or '
'di-nucleosome fragments. (Default: %(default)s)',
metavar='INT',
default=0,
type=int,
required=False)
group.add_argument('--maxFragmentLength',
help='The maximum fragment length needed for read/pair '
'inclusion. (Default: %(default)s)',
metavar='INT',
default=0,
type=int,
required=False)
return parser
def gtf_options(suppress=False):
"""
Arguments present whenever a BED/GTF file can be used
"""
if suppress:
parser = argparse.ArgumentParser(add_help=False)
group = parser
else:
parser = argparse.ArgumentParser(add_help=False)
group = parser.add_argument_group('GTF/BED12 options')
if suppress:
help = argparse.SUPPRESS
else:
help = 'When either a BED12 or GTF file are used to provide \
regions, perform the computation on the merged exons, \
rather than using the genomic interval defined by the \
5-prime and 3-prime most transcript bound (i.e., columns \
2 and 3 of a BED file). If a BED3 or BED6 file is used \
as input, then columns 2 and 3 are used as an exon. (Default: %(default)s)'
group.add_argument('--metagene',
help=help,
action='store_true',
dest='keepExons')
if suppress is False:
help = 'When a GTF file is used to provide regions, only \
entries with this value as their feature (column 3) \
will be processed as transcripts. (Default: %(default)s)'
group.add_argument('--transcriptID',
help=help,
default='transcript')
if suppress is False:
help = 'When a GTF file is used to provide regions, only \
entries with this value as their feature (column 3) \
will be processed as exons. CDS would be another common \
value for this. (Default: %(default)s)'
group.add_argument('--exonID',
help=help,
default='exon')
if suppress is False:
help = 'Each region has an ID (e.g., ACTB) assigned to it, \
which for BED files is either column 4 (if it exists) \
or the interval bounds. For GTF files this is instead \
stored in the last column as a key:value pair (e.g., as \
\'transcript_id "ACTB"\', for a key of transcript_id \
and a value of ACTB). In some cases it can be \
convenient to use a different identifier. To do so, set \
this to the desired key. (Default: %(default)s)'
group.add_argument('--transcript_id_designator',
help=help,
default='transcript_id')
return parser
def normalization_options():
"""Common arguments related to read coverage normalization
"""
parser = argparse.ArgumentParser(add_help=False)
group = parser.add_argument_group('Read coverage normalization options')
group.add_argument('--effectiveGenomeSize',
help='The effective genome size is the portion '
'of the genome that is mappable. Large fractions of '
'the genome are stretches of NNNN that should be '
'discarded. Also, if repetitive regions were not '
'included in the mapping of reads, the effective '
'genome size needs to be adjusted accordingly. '
'A table of values is available here: '
'http://deeptools.readthedocs.io/en/latest/content/feature/effectiveGenomeSize.html .',
default=None,
type=int,
required=False)
group.add_argument('--normalizeUsing',
help='Use one of the entered methods to '
'normalize the number of reads per bin. By default, no normalization is performed. '
'RPKM = Reads Per Kilobase per Million mapped reads; '
'CPM = Counts Per Million mapped reads, same as CPM in RNA-seq; '
'BPM = Bins Per Million mapped reads, same as TPM in RNA-seq; '
'RPGC = reads per genomic content (1x normalization); '
'Mapped reads are considered after blacklist filtering (if applied). '
'RPKM (per bin) = number of reads per bin / '
'(number of mapped reads (in millions) * bin length (kb)). '
'CPM (per bin) = number of reads per bin / '
'number of mapped reads (in millions). '
'BPM (per bin) = number of reads per bin / '
'sum of all reads per bin (in millions). '
'RPGC (per bin) = number of reads per bin / '
'scaling factor for 1x average coverage. '
'None = the default and equivalent to not setting this option at all. '
'This scaling factor, in turn, is determined from the '
'sequencing depth: (total number of mapped reads * fragment length) / '
'effective genome size.\nThe scaling factor used '
'is the inverse of the sequencing depth computed '
'for the sample to match the 1x coverage. This option requires --effectiveGenomeSize. '
'Each read is considered independently, '
'if you want to only count one mate from a pair in '
'paired-end data, then use the --samFlagInclude/--samFlagExclude options. (Default: %(default)s)',
choices=['RPKM', 'CPM', 'BPM', 'RPGC', 'None'],
default=None,
required=False)
group.add_argument('--exactScaling',
help='Instead of computing scaling factors based on a sampling of the reads, '
'process all of the reads to determine the exact number that will be used in '
'the output. This requires significantly more time to compute, but will '
'produce more accurate scaling factors in cases where alignments that are '
'being filtered are rare and lumped together. In other words, this is only '
'needed when region-based sampling is expected to produce incorrect results.',
action='store_true')
group.add_argument('--ignoreForNormalization', '-ignore',
help='A list of space-delimited chromosome names '
'containing those chromosomes that should be excluded '
'for computing the normalization. This is useful when considering '
'samples with unequal coverage across chromosomes, like male '
'samples. An usage examples is --ignoreForNormalization chrX chrM.',
nargs='+')
group.add_argument('--skipNonCoveredRegions', '--skipNAs',
help='This parameter determines if non-covered regions '
'(regions without overlapping reads) in a BAM file should '
'be skipped. The default is to treat those regions as having a value of zero. '
'The decision to skip non-covered regions '
'depends on the interpretation of the data. Non-covered regions '
'may represent, for example, repetitive regions that should be skipped.',
action='store_true')
group.add_argument('--smoothLength',
metavar="INT bp",
help='The smooth length defines a window, larger than '
'the binSize, to average the number of reads. For '
'example, if the --binSize is set to 20 and the '
'--smoothLength is set to 60, then, for each '
'bin, the average of the bin and its left and right '
'neighbors is considered. Any value smaller than '
'--binSize will be ignored and no smoothing will be '
'applied.',
type=int)
return parser
def getParentArgParse(args=None, binSize=True, blackList=True):
"""
Typical arguments for several tools
"""
parser = argparse.ArgumentParser(add_help=False)
optional = parser.add_argument_group('Optional arguments')
optional.add_argument('--version', action='version',
version='%(prog)s {}'.format(version('deeptools')))
if binSize:
optional.add_argument('--binSize', '-bs',
help='Size of the bins, in bases, for the output '
'of the bigwig/bedgraph file. (Default: %(default)s)',
metavar="INT bp",
type=int,
default=50)
optional.add_argument('--region', '-r',
help='Region of the genome to limit the operation '
'to - this is useful when testing parameters to '
'reduce the computing time. The format is '
'chr:start:end, for example --region chr10 or '
'--region chr10:456700:891000.',
metavar="CHR:START:END",
required=False,
type=genomicRegion)
if blackList:
optional.add_argument('--blackListFileName', '-bl',
help="A BED or GTF file containing regions that should be excluded from all analyses. Currently this works by rejecting genomic chunks that happen to overlap an entry. Consequently, for BAM files, if a read partially overlaps a blacklisted region or a fragment spans over it, then the read/fragment might still be considered. Please note that you should adjust the effective genome size, if relevant.",
metavar="BED file",
nargs="+",
required=False)
optional.add_argument('--numberOfProcessors', '-p',
help='Number of processors to use. Type "max/2" to '
'use half the maximum number of processors or "max" '
'to use all available processors. (Default: %(default)s)',
metavar="INT",
type=numberOfProcessors,
default=1,
required=False)
optional.add_argument('--verbose', '-v',
help='Set to see processing messages.',
action='store_true')
return parser
def numberOfProcessors(string):
import multiprocessing
availProc = multiprocessing.cpu_count()
if string == "max/2": # default case
# by default half of the available processors are used
numberOfProcessors = int(availProc * 0.5)
elif string == "max":
# use all available processors
numberOfProcessors = availProc
else:
try:
numberOfProcessors = int(string)
except ValueError:
raise argparse.ArgumentTypeError(
"{} is not a valid number of processors".format(string))
except Exception as e:
raise argparse.ArgumentTypeError("the given value {} is not valid. "
"Error message: {}\nThe number of "
"available processors in your "
"computer is {}.".format(string, e, availProc))
if numberOfProcessors > availProc:
numberOfProcessors = availProc
return numberOfProcessors
def genomicRegion(string):
# remove whitespaces using split,join trick
region = ''.join(string.split())
if region == '':
return None
# remove undesired characters that may be present and
# replace - by :
# N.B., the syntax for translate() differs between python 2 and 3
try:
region = region.translate(None, ",;|!{}()").replace("-", ":")
except:
region = region.translate({ord(i): None for i in ",;|!{}()"})
if len(region) == 0:
raise argparse.ArgumentTypeError(
"{} is not a valid region".format(string))
return region
def writableFile(string):
"""
Simple function that tests if a given path is writable
"""
try:
open(string, 'w').close()
os.remove(string)
except:
msg = "{} file can't be opened for writing".format(string)
raise argparse.ArgumentTypeError(msg)
return string
"""
Arguments used by heatmapper and profiler
"""
def heatmapperMatrixArgs(args=None):
parser = argparse.ArgumentParser(add_help=False)
required = parser.add_argument_group('Required arguments')
required.add_argument('--matrixFile', '-m',
help='Matrix file from the computeMatrix tool.',
type=argparse.FileType('r'),
)
required.add_argument('--outFileName', '-out', '-o',
help='File name to save the image to. The file '
'ending will be used to determine the image '
'format. The available options are: "png", '
'"eps", "pdf" and "svg", e.g., MyHeatmap.png.',
type=writableFile,
required=True)
return parser
def heatmapperOutputArgs(args=None,
mode=['heatmap', 'profile'][0]):
parser = argparse.ArgumentParser(add_help=False)
output = parser.add_argument_group('Output options')
output.add_argument(
'--outFileSortedRegions',
help='File name into which the regions are saved '
'after skipping zeros or min/max threshold values. The '
'order of the regions in the file follows the sorting '
'order selected. This is useful, for example, to '
'generate other heatmaps while keeping the sorting of the '
'first heatmap. Example: Heatmap1sortedRegions.bed',
metavar='FILE',
type=argparse.FileType('w'))
if mode == 'heatmap':
output.add_argument('--outFileNameMatrix',
help='If this option is given, then the matrix '
'of values underlying the heatmap will be saved '
'using this name, e.g. MyMatrix.gz.',
metavar='FILE',
type=writableFile)
output.add_argument('--interpolationMethod',
help='If the heatmap image contains a large number of columns '
'is usually better to use an interpolation method to produce '
'better results (see '
'https://matplotlib.org/examples/images_contours_and_fields/interpolation_methods.html). '
'Be default, plotHeatmap uses the method `nearest` if the number of columns is 1000 or '
'less. Otherwise it uses the bilinear method. This default behaviour can be changed by '
'using any of the following options: "nearest", "bilinear", "bicubic", '
'"gaussian"',
choices=['auto', 'nearest', 'bilinear', 'bicubic', 'gaussian'],
metavar='STR',
default='auto')
elif mode == 'profile':
output.add_argument('--outFileNameData',
help='File name to save the data '
'underlying data for the average profile, e.g. '
'myProfile.tab.',
type=writableFile)
output.add_argument(
'--dpi',
help='Set the DPI to save the figure.',
type=int,
default=200)
return parser
def heatmapperOptionalArgs(mode=['heatmap', 'profile'][0]):
parser = argparse.ArgumentParser(add_help=False)
cluster = parser.add_argument_group('Clustering arguments')
cluster.add_argument(
'--kmeans',
help='Number of clusters to compute. When this '
'option is set, the matrix is split into clusters '
'using the k-means algorithm. Only works for data that '
'is not grouped, otherwise only the first group will '
'be clustered. If more specific clustering methods '
'are required, then save the underlying matrix '
'and run the clustering using other software. The plotting '
'of the clustering may fail with an error if a '
'cluster has very few members compared to the total number '
'or regions.',
type=int)
cluster.add_argument(
'--hclust',
help='Number of clusters to compute. When this '
'option is set, then the matrix is split into clusters '
'using the hierarchical clustering algorithm, using "ward linkage". '
'Only works for data that is not grouped, otherwise only the first '
'group will be clustered. --hclust could be very slow if you have '
'>1000 regions. In those cases, you might prefer --kmeans or if more '
'clustering methods are required you can save the underlying matrix and run '
'the clustering using other software. The plotting of the clustering may '
'fail with an error if a cluster has very few members compared to the '
'total number of regions.',
type=int)
cluster.add_argument(
'--silhouette',
help='Compute the silhouette score for regions. This is only'
' applicable if clustering has been performed. The silhouette score'
' is a measure of how similar a region is to other regions in the'
' same cluster as opposed to those in other clusters. It will be reported'
' in the final column of the BED file with regions. The '
'silhouette evaluation can be very slow when you have more'
'than 100 000 regions.',
action='store_true'
)
optional = parser.add_argument_group('Optional arguments')
optional.add_argument("--help", "-h", action="help",
help="show this help message and exit")
optional.add_argument('--version', action='version',
version='%(prog)s {}'.format(version('deeptools')))
if mode == 'profile':
optional.add_argument(
'--averageType',
default='mean',
choices=["mean", "median", "min", "max", "std", "sum"],
help='The type of statistic that should be used for the '
'profile. The options are: "mean", "median", "min", "max", '
'"sum" and "std".')
optional.add_argument('--plotHeight',
help='Plot height in cm.',
type=float,
default=7)
optional.add_argument('--plotWidth',
help='Plot width in cm. The minimum value is 1 cm.',
type=float,
default=11)
optional.add_argument(
'--plotType',
help='"lines" will plot the profile line based '
'on the average type selected. "fill" '
'fills the region between zero and the profile '
'curve. The fill in color is semi transparent to '
'distinguish different profiles. "se" and "std" '
'color the region between the profile and the '
'standard error or standard deviation of the data. '
'As in the case of '
'fill, a semi-transparent color is used. '
'"overlapped_lines" plots each region\'s value, one on '
'top of the other. "heatmap" plots a '
'summary heatmap.',
choices=['lines', 'fill', 'se', 'std', 'overlapped_lines', 'heatmap'],
default='lines')
optional.add_argument('--colors',
help='List of colors to use '
'for the plotted lines (N.B., not applicable to \'--plotType overlapped_lines\'). Color names '
'and html hex strings (e.g., #eeff22) '
'are accepted. The color names should '
'be space separated. For example, '
'--colors red blue green ',
nargs='+')
optional.add_argument('--numPlotsPerRow',
help='Number of plots per row',
type=int,
default=8)
optional.add_argument('--clusterUsingSamples',
help='List of sample numbers (order as in '
'matrix), that are used for clustering by '
'--kmeans or --hclust if not given, all samples '
'are taken into account for clustering. '
'Example: --ClusterUsingSamples 1 3',
type=int, nargs='+')
elif mode == 'heatmap':
optional.add_argument(
'--plotType',
help='"lines" will plot the profile line based '
'on the average type selected. "fill" '
'fills the region between zero and the profile '
'curve. The fill in color is semi transparent to '
'distinguish different profiles. "se" and "std" '
'color the region between the profile and the '
'standard error or standard deviation of the data.',
choices=['lines', 'fill', 'se', 'std'],
default='lines')
optional.add_argument('--sortRegions',
help='Whether the heatmap should present '
'the regions sorted. The default is '
'to sort in descending order based on '
'the mean value per region. Note that "keep" and "no" are the same thing.',
choices=["descend", "ascend", "no", "keep"],
default='descend')
optional.add_argument('--sortUsing',
help='Indicate which method should be used for '
'sorting. For each row the method is computed. '
'For region_length, a dashed line is drawn at '
'the end of the region (reference point TSS and '
'center) or the beginning of the region '
'(reference point TES) as appropriate.',
choices=["mean", "median", "max", "min", "sum",
"region_length"],
default='mean')
optional.add_argument('--sortUsingSamples',
help='List of sample numbers (order as in matrix), '
'which are used by --sortUsing for sorting. '
'If no value is set, it uses all samples. '
'Example: --sortUsingSamples 1 3',
type=int, nargs='+')
optional.add_argument('--linesAtTickMarks',
help='Draw dashed lines from all tick marks through the heatmap. '
'This is then similar to the dashed line draw at region bounds '
'when using a reference point and --sortUsing region_length',
action='store_true')
optional.add_argument('--clusterUsingSamples',
help='List of sample numbers (order as in '
'matrix), that are used for clustering by '
'--kmeans or --hclust if not given, all samples '
'are taken into account for clustering. '
'Example: --ClusterUsingSamples 1 3',
type=int, nargs='+')
optional.add_argument(
'--averageTypeSummaryPlot',
default='mean',
choices=["mean", "median", "min",
"max", "std", "sum"],
help='Define the type of statistic that should be plotted in the '
'summary image above the heatmap. The options are: "mean", '
'"median", "min", "max", "sum" and "std".')
optional.add_argument(
'--missingDataColor',
default='black',
help='If --missingDataAsZero was not set, such cases '
'will be colored in black by default. Using this '
'parameter, a different color can be set. A value '
'between 0 and 1 will be used for a gray scale '
'(black is 0). For a list of possible color '
'names see: http://packages.python.org/ete2/'
'reference/reference_svgcolors.html. '
'Other colors can be specified using the #rrggbb '
'notation.')
import matplotlib.pyplot as plt
color_options = "', '".join([x for x in plt.colormaps() if not x.endswith('_r')])
optional.add_argument(
'--colorMap',
help='Color map to use for the heatmap. If more than one heatmap is being plotted the color '
'of each heatmap can be enter individually (e.g. `--colorMap Reds Blues`). Color maps '
'are recycled if the number of color maps is smaller than the number of heatmaps being '
'plotted. Available values can be seen here: http://matplotlib.org/users/colormaps.html '
'The available options are: \'' + color_options + '\'',
default=['RdYlBu'],
nargs='+')
optional.add_argument(
'--alpha',
default=1.0,
type=check_float_0_1,
help='The alpha channel (transparency) to use for the heatmaps. The default is 1.0 and values '
'must be between 0 and 1.')
optional.add_argument(
'--colorList',
help='List of colors to use to create a colormap. For example, if `--colorList black,yellow,blue` '
'is set (colors separated by comas) then a color map that starts with black, continues to '
'yellow and finishes in blue is created. If this option is selected, it overrides the --colorMap '
'chosen. The list of valid color names can be seen here: '
'http://matplotlib.org/examples/color/named_colors.html '
'Hex colors are valid (e.g #34a2b1). If individual colors for different heatmaps '
'need to be specified they need to be separated by space as for example: '
'`--colorList "white,#cccccc" "white,darkred"` '
'As for --colorMap, the color lists are recycled if their number is smaller thatn the number of'
'plotted heatmaps. '
'The number of transitions is defined by the --colorNumber option.',
type=check_list_of_comma_values,
nargs='+')
optional.add_argument(
'--colorNumber',
help='N.B., --colorList is required for an effect. This controls the '
'number of transitions from one color to the other. If --colorNumber is '
'the number of colors in --colorList then there will be no transitions '
'between the colors.',
type=int,
default=256)
optional.add_argument('--zMin', '-min',
default=None,
help='Minimum value for the heatmap intensities. Multiple values, separated by '
'spaces can be set for each heatmap. If the number of zMin values is smaller than'
'the number of heatmaps the values are recycled. If a value is set to "auto", it will be set '
' to the first percentile of the matrix values.',
type=str,
nargs='+')
optional.add_argument('--zMax', '-max',
default=None,
help='Maximum value for the heatmap intensities. Multiple values, separated by '
'spaces can be set for each heatmap. If the number of zMax values is smaller than'
'the number of heatmaps the values are recycled. If a value is set to "auto", it will be set '
' to the 98th percentile of the matrix values.',
type=str,
nargs='+')
optional.add_argument('--heatmapHeight',
help='Plot height in cm. The default for the heatmap '
'height is 28. The minimum value is '
'3 and the maximum is 100.',
type=float,
default=28)
optional.add_argument('--heatmapWidth',
help='Plot width in cm. The default value is 4 '
'The minimum value is 1 and the '
'maximum is 100.',
type=float,
default=4)
optional.add_argument(
'--whatToShow',
help='The default is to include a summary or profile plot on top '
'of the heatmap and a heatmap colorbar. Other options are: '
'"plot and heatmap", "heatmap only", "heatmap and '
'colorbar", and the default "plot, heatmap and '
'colorbar".',
choices=["plot, heatmap and colorbar",
"plot and heatmap", "heatmap only",
"heatmap and colorbar"],
default='plot, heatmap and colorbar')
optional.add_argument(
'--boxAroundHeatmaps',
help='By default black boxes are plot around heatmaps. This can be turned off '
'by setting --boxAroundHeatmaps no',
default='yes')
optional.add_argument('--xAxisLabel', '-x',
default='gene distance (bp)',
help='Description for the x-axis label.')
# end elif
optional.add_argument('--startLabel',
default='TSS',
help='[only for scale-regions mode] Label shown '
'in the plot for the start of '
'the region. Default is TSS (transcription '
'start site), but could be changed to anything, '
'e.g. "peak start". '
'Same for the --endLabel option. See below.')
optional.add_argument('--endLabel',
default='TES',
help='[only for scale-regions mode] Label '
'shown in the plot for the region '
'end. Default is TES (transcription end site).')
optional.add_argument('--refPointLabel',
help='[only for reference-point mode] Label '
'shown in the plot for the '
'reference-point. Default '
'is the same as the reference point selected '
'(e.g. TSS), but could be anything, e.g. '
'"peak start".',
default=None)
optional.add_argument('--labelRotation',
dest='label_rotation',
help='Rotation of the X-axis labels in degrees. The default is 0, positive values denote a counter-clockwise rotation.',
type=float,
default=0.0)
optional.add_argument('--nanAfterEnd',
help=argparse.SUPPRESS,
default=False)
optional.add_argument('--regionsLabel', '-z',
help='Labels for the regions plotted in the '
'heatmap. If more than one region is being '
'plotted, a list of labels separated by spaces is required. '
'If a label itself contains a space, then quotes are '
'needed. For example, --regionsLabel label_1, "label 2". ',
nargs='+')
optional.add_argument('--samplesLabel',
help='Labels for the samples plotted. The '
'default is to use the file name of the '
'sample. The sample labels should be separated '
'by spaces and quoted if a label itself'
'contains a space E.g. --samplesLabel label-1 "label 2" ',
nargs='+')
optional.add_argument('--plotTitle', '-T',
help='Title of the plot, to be printed on top of '
'the generated image. Leave blank for no title.',
default='')
optional.add_argument('--yAxisLabel', '-y',
default='',
help='Y-axis label for the top panel.')
optional.add_argument('--yMin',
default=None,
nargs='+',
help='Minimum value for the Y-axis. Multiple values, separated by '
'spaces can be set for each profile. If the number of yMin values is smaller than'
'the number of plots, the values are recycled.')
optional.add_argument('--yMax',
default=None,
nargs='+',
help='Maximum value for the Y-axis. Multiple values, separated by '
'spaces can be set for each profile. If the number of yMin values is smaller than'
'the number of plots, the values are recycled.')
optional.add_argument('--legendLocation',
default='best',
choices=['best',
'upper-right',
'upper-left',
'upper-center',
'lower-left',
'lower-right',
'lower-center',
'center',
'center-left',
'center-right',
'none'
],
help='Location for the legend in the summary plot. '
'Note that "none" does not work for the profiler.')
optional.add_argument('--perGroup',
help='The default is to plot all groups of regions by '
'sample. Using this option instead plots all samples by '
'group of regions. Note that this is only useful if you '
'have multiple groups of regions. by sample rather than '
'group.',
action='store_true')
optional.add_argument('--repgrplist',
default=None,
nargs='+',
help='Group profiles by genotype'
'assign each profile to a group(as replicates) to plot average +/- se/std.'
'If the number of group values is smaller than'
'the number of samples, the values will be equally divide into groups.')
optional.add_argument('--plotFileFormat',
metavar='',
help='Image format type. If given, this '
'option overrides the '
'image format based on the plotFile ending. '
'The available options are: "png", '
'"eps", "pdf", "plotly" and "svg"',
choices=['png', 'pdf', 'svg', 'eps', 'plotly'])
optional.add_argument('--verbose',
help='If set, warning messages and '
'additional information are given.',
action='store_true')
return parser
def deepBlueOptionalArgs():
parser = argparse.ArgumentParser(add_help=False)
dbo = parser.add_argument_group('deepBlue arguments', 'Options used only for remote bedgraph/wig files hosted on deepBlue')
dbo.add_argument(
'--deepBlueURL',
help='For remote files bedgraph/wiggle files hosted on deepBlue, this '
'specifies the server URL. The default is '
'"http://deepblue.mpi-inf.mpg.de/xmlrpc", which should not be '
'changed without good reason.',
default='http://deepblue.mpi-inf.mpg.de/xmlrpc')
dbo.add_argument(
'--userKey',
help='For remote files bedgraph/wiggle files hosted on deepBlue, this '
'specifies the user key to use for access. The default is '
'"anonymous_key", which suffices for public datasets. If you need '
'access to a restricted access/private dataset, then request a '
'key from deepBlue and specify it here.',
default='anonymous_key')
dbo.add_argument(
'--deepBlueTempDir',
help='If specified, temporary files from preloading datasets from '
'deepBlue will be written here (note, this directory must exist). '
'If not specified, where ever temporary files would normally be written '
'on your system is used.',
default=None)
dbo.add_argument(
'--deepBlueKeepTemp',
action='store_true',
help='If specified, temporary bigWig files from preloading deepBlue '
'datasets are not deleted. A message will be printed noting where these '
'files are and what sample they correspond to. These can then be used '
'if you wish to analyse the same sample with the same regions again.')
return parser
def requiredLength(minL, maxL):
"""
This is an optional action that can be given to argparse.add_argument(..., nargs='+')
to allow a specified numeric range of arguments (e.g., "only 1 or 2 arguments").
minL and maxL are the minimum and maximum length
"""
# https://stackoverflow.com/questions/4194948/python-argparse-is-there-a-way-to-specify-a-range-in-nargs
class RequiredLength(argparse.Action):
def __call__(self, parser, args, values, option_string=None):
if not minL <= len(values) <= maxL:
msg = 'argument "{}" requires between {} and {} arguments'.format(self.dest, minL, maxL)
raise argparse.ArgumentTypeError(msg)
setattr(args, self.dest, values)
return RequiredLength