-
Notifications
You must be signed in to change notification settings - Fork 28
/
Copy pathmain.py
397 lines (349 loc) · 12.2 KB
/
main.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
from __future__ import absolute_import, print_function, unicode_literals
import argparse
import os
import functools
import signal
import sys
import logging
from typing import Text
import pkg_resources
import cwltool.main
from cwltool.executors import MultithreadedJobExecutor
from cwltool.resolver import ga4gh_tool_registries
from .tes import make_tes_tool
from .__init__ import __version__
from .ftp import FtpFsAccess
log = logging.getLogger("tes-backend")
log.setLevel(logging.INFO)
console = logging.StreamHandler()
# formatter = logging.Formatter("[%(asctime)s]\t[%(levelname)s]\t%(message)s")
# console.setFormatter(formatter)
log.addHandler(console)
DEFAULT_TMP_PREFIX = "tmp"
def versionstring():
pkg = pkg_resources.require("cwltool")
if pkg:
cwltool_ver = pkg[0].version
else:
cwltool_ver = "unknown"
return "%s %s with cwltool %s" % (sys.argv[0], __version__, cwltool_ver)
def main(args=None):
if args is None:
args = sys.argv[1:]
parser = arg_parser()
parsed_args = parser.parse_args(args)
if parsed_args.version:
print(versionstring())
return 0
if parsed_args.tes is None:
print(versionstring())
parser.print_usage()
print("cwl-tes: error: argument --tes is required")
return 1
if parsed_args.quiet:
log.setLevel(logging.WARN)
if parsed_args.debug:
log.setLevel(logging.DEBUG)
# setup signal handler
def signal_handler(*args):
log.info(
"recieved control-c signal"
)
log.info(
"terminating thread(s)..."
)
log.warning(
"remote TES task(s) will keep running"
)
sys.exit(1)
signal.signal(signal.SIGINT, signal_handler)
loading_context = cwltool.main.LoadingContext(vars(parsed_args))
loading_context.construct_tool_object = functools.partial(
make_tes_tool, url=parsed_args.tes)
runtime_context = cwltool.main.RuntimeContext(vars(parsed_args))
runtime_context.make_fs_access = FtpFsAccess
return cwltool.main.main(
args=parsed_args,
executor=MultithreadedJobExecutor(),
loadingContext=loading_context,
runtimeContext=runtime_context,
versionfunc=versionstring,
logger_handler=console
)
def arg_parser(): # type: () -> argparse.ArgumentParser
parser = argparse.ArgumentParser(
description='GA4GH TES executor for Common Workflow Language.')
parser.add_argument("--tes", type=str, help="GA4GH TES Service URL.")
parser.add_argument("--basedir", type=Text)
parser.add_argument("--outdir",
type=Text, default=os.path.abspath('.'),
help="Output directory, default current directory")
envgroup = parser.add_mutually_exclusive_group()
envgroup.add_argument(
"--preserve-environment",
type=Text,
action="append",
help="Preserve specific environment variable when "
"running CommandLineTools. May be provided multiple "
"times.",
metavar="ENVVAR",
default=[],
dest="preserve_environment")
envgroup.add_argument(
"--preserve-entire-environment",
action="store_true",
help="Preserve all environment variable when running "
"CommandLineTools.",
default=False,
dest="preserve_entire_environment")
parser.add_argument("--tmpdir-prefix", type=Text,
help="Path prefix for temporary directories",
default=DEFAULT_TMP_PREFIX)
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--tmp-outdir-prefix",
type=Text,
help="Path prefix for intermediate output directories",
default=DEFAULT_TMP_PREFIX)
exgroup.add_argument(
"--cachedir",
type=Text,
default="",
help="Directory to cache intermediate workflow outputs to avoid "
"recomputing steps."
)
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--rm-tmpdir",
action="store_true",
default=True,
help="Delete intermediate temporary directories (default)",
dest="rm_tmpdir")
exgroup.add_argument(
"--leave-tmpdir",
action="store_false",
default=True,
help="Do not delete intermediate temporary directories",
dest="rm_tmpdir")
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--move-outputs",
action="store_const",
const="move",
default="move",
help="Move output files to the workflow output directory and delete "
"intermediate output directories (default).",
dest="move_outputs")
exgroup.add_argument(
"--leave-outputs",
action="store_const",
const="leave",
default="move",
help="Leave output files in intermediate output directories.",
dest="move_outputs")
exgroup.add_argument(
"--copy-outputs",
action="store_const",
const="copy",
default="move",
help="Copy output files to the workflow output directory, don't "
"delete intermediate output directories.",
dest="move_outputs")
parser.add_argument(
"--rdf-serializer",
help="Output RDF serialization format used by --print-rdf (one of "
"turtle (default), n3, nt, xml)",
default="turtle")
parser.add_argument(
"--eval-timeout",
help="Time to wait for a Javascript expression to evaluate before "
"giving an error, default 20s.",
type=float,
default=20)
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--print-rdf",
action="store_true",
help="Print corresponding RDF graph for workflow and exit")
exgroup.add_argument(
"--print-dot",
action="store_true",
help="Print workflow visualization in graphviz format and exit")
exgroup.add_argument(
"--print-pre",
action="store_true",
help="Print CWL document after preprocessing.")
exgroup.add_argument(
"--print-deps",
action="store_true",
help="Print CWL document dependencies.")
exgroup.add_argument(
"--print-input-deps",
action="store_true",
help="Print input object document dependencies.")
exgroup.add_argument(
"--pack",
action="store_true",
help="Combine components into single document and print.")
exgroup.add_argument(
"--version",
action="store_true",
help="Print version and exit")
exgroup.add_argument(
"--validate",
action="store_true",
help="Validate CWL document only.")
exgroup.add_argument(
"--print-supported-versions",
action="store_true",
help="Print supported CWL specs.")
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--strict",
action="store_true",
help="Strict validation (unrecognized or out of place fields are "
"error)",
default=True,
dest="strict")
exgroup.add_argument(
"--non-strict",
action="store_false",
help="Lenient validation (ignore unrecognized fields)",
default=True,
dest="strict")
parser.add_argument(
"--skip-schemas",
action="store_true",
help="Skip loading of schemas",
default=False,
dest="skip_schemas")
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--verbose",
action="store_true",
help="Default logging")
exgroup.add_argument(
"--quiet",
action="store_true",
help="Only print warnings and errors.")
exgroup.add_argument(
"--debug",
action="store_true",
help="Print even more logging")
parser.add_argument(
"--timestamps",
action="store_true",
help="Add timestamps to the errors, warnings, and notifications.")
parser.add_argument(
"--js-console",
action="store_true",
help="Enable javascript console output")
parser.add_argument("--disable-js-validation",
action="store_true",
help="Disable javascript validation.")
parser.add_argument("--js-hint-options-file",
type=Text,
help="File of options to pass to jshint."
"This includes the added option \"includewarnings\". ")
parser.add_argument(
"--tool-help",
action="store_true",
help="Print command line help for tool")
parser.add_argument(
"--relative-deps",
choices=[
'primary',
'cwd'],
default="primary",
help="When using --print-deps, print paths "
"relative to primary file or current working directory.")
parser.add_argument(
"--enable-dev",
action="store_true",
help="Enable loading and running development versions of CWL spec.",
default=False)
parser.add_argument(
"--enable-ext",
action="store_true",
help="Enable loading and running cwltool extensions to CWL spec.",
default=False)
parser.add_argument(
"--default-container",
help="Specify a default docker container that will be used if the "
"workflow fails to specify one.")
parser.add_argument("--disable-validate", dest="do_validate",
action="store_false", default=True,
help=argparse.SUPPRESS)
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--enable-ga4gh-tool-registry",
action="store_true",
help="Enable resolution using GA4GH tool registry API",
dest="enable_ga4gh_tool_registry",
default=True)
exgroup.add_argument(
"--disable-ga4gh-tool-registry",
action="store_false",
help="Disable resolution using GA4GH tool registry API",
dest="enable_ga4gh_tool_registry",
default=True)
parser.add_argument(
"--add-ga4gh-tool-registry",
action="append",
help="Add a GA4GH tool registry endpoint to use for resolution, "
"default %s" % ga4gh_tool_registries,
dest="ga4gh_tool_registries",
default=[])
parser.add_argument(
"--on-error",
help="Desired workflow behavior when a step fails. "
"One of 'stop' or 'continue'. Default is 'stop'.",
default="stop",
choices=("stop", "continue"))
exgroup = parser.add_mutually_exclusive_group()
exgroup.add_argument(
"--compute-checksum",
action="store_true",
default=True,
help="Compute checksum of contents while collecting outputs",
dest="compute_checksum")
exgroup.add_argument(
"--no-compute-checksum",
action="store_false",
help="Do not compute checksum of contents while collecting outputs",
dest="compute_checksum")
parser.add_argument(
"--relax-path-checks",
action="store_true",
default=False,
help="Relax requirements on path names to permit "
"spaces and hash characters.",
dest="relax_path_checks")
parser.add_argument("--make-template",
action="store_true",
help="Generate a template input object")
parser.add_argument(
"--overrides",
type=str,
default=None,
help="Read process requirement overrides from file.")
parser.add_argument(
"workflow",
type=Text,
nargs="?",
default=None,
metavar='cwl_document',
help="path or URL to a CWL Workflow, "
"CommandLineTool, or ExpressionTool. If the `inputs_object` has a "
"`cwl:tool` field indicating the path or URL to the cwl_document, "
" then the `workflow` argument is optional.")
parser.add_argument(
"job_order",
nargs=argparse.REMAINDER,
metavar='inputs_object',
help="path or URL to a YAML or JSON "
"formatted description of the required input values for the given "
"`cwl_document`.")
return parser
if __name__ == "__main__":
sys.exit(main())