13994: Merge branch 'master' into 13994-proxy-remote
[arvados.git] / sdk / cwl / arvados_cwl / arvcontainer.py
1 # Copyright (C) The Arvados Authors. All rights reserved.
2 #
3 # SPDX-License-Identifier: Apache-2.0
4
5 import logging
6 import json
7 import os
8 import urllib
9 import time
10 import datetime
11 import ciso8601
12 import uuid
13 import math
14
15 from arvados_cwl.util import get_current_container, get_intermediate_collection_info
16 import ruamel.yaml as yaml
17
18 from cwltool.errors import WorkflowException
19 from cwltool.process import UnsupportedRequirement, shortname
20 from cwltool.pathmapper import adjustFileObjs, adjustDirObjs, visit_class
21 from cwltool.utils import aslist
22 from cwltool.job import JobBase
23
24 import arvados.collection
25
26 from .arvdocker import arv_docker_get_image
27 from . import done
28 from .runner import Runner, arvados_jobs_image, packed_workflow, trim_anonymous_location, remove_redundant_fields
29 from .fsaccess import CollectionFetcher
30 from .pathmapper import NoFollowPathMapper, trim_listing
31 from .perf import Perf
32
33 logger = logging.getLogger('arvados.cwl-runner')
34 metrics = logging.getLogger('arvados.cwl-runner.metrics')
35
36 class ArvadosContainer(JobBase):
37     """Submit and manage a Crunch container request for executing a CWL CommandLineTool."""
38
39     def __init__(self, runner,
40                  builder,   # type: Builder
41                  joborder,  # type: Dict[Text, Union[Dict[Text, Any], List, Text]]
42                  make_path_mapper,  # type: Callable[..., PathMapper]
43                  requirements,      # type: List[Dict[Text, Text]]
44                  hints,     # type: List[Dict[Text, Text]]
45                  name       # type: Text
46     ):
47         super(ArvadosContainer, self).__init__(builder, joborder, make_path_mapper, requirements, hints, name)
48         self.arvrunner = runner
49         self.running = False
50         self.uuid = None
51
52     def update_pipeline_component(self, r):
53         pass
54
55     def run(self, runtimeContext):
56         # ArvadosCommandTool subclasses from cwltool.CommandLineTool,
57         # which calls makeJobRunner() to get a new ArvadosContainer
58         # object.  The fields that define execution such as
59         # command_line, environment, etc are set on the
60         # ArvadosContainer object by CommandLineTool.job() before
61         # run() is called.
62
63         container_request = {
64             "command": self.command_line,
65             "name": self.name,
66             "output_path": self.outdir,
67             "cwd": self.outdir,
68             "priority": runtimeContext.priority,
69             "state": "Committed",
70             "properties": {},
71         }
72         runtime_constraints = {}
73
74         if self.arvrunner.project_uuid:
75             container_request["owner_uuid"] = self.arvrunner.project_uuid
76
77         if self.arvrunner.secret_store.has_secret(self.command_line):
78             raise WorkflowException("Secret material leaked on command line, only file literals may contain secrets")
79
80         if self.arvrunner.secret_store.has_secret(self.environment):
81             raise WorkflowException("Secret material leaked in environment, only file literals may contain secrets")
82
83         resources = self.builder.resources
84         if resources is not None:
85             runtime_constraints["vcpus"] = math.ceil(resources.get("cores", 1))
86             runtime_constraints["ram"] = math.ceil(resources.get("ram") * 2**20)
87
88         mounts = {
89             self.outdir: {
90                 "kind": "tmp",
91                 "capacity": math.ceil(resources.get("outdirSize", 0) * 2**20)
92             },
93             self.tmpdir: {
94                 "kind": "tmp",
95                 "capacity": math.ceil(resources.get("tmpdirSize", 0) * 2**20)
96             }
97         }
98         secret_mounts = {}
99         scheduling_parameters = {}
100
101         rf = [self.pathmapper.mapper(f) for f in self.pathmapper.referenced_files]
102         rf.sort(key=lambda k: k.resolved)
103         prevdir = None
104         for resolved, target, tp, stg in rf:
105             if not stg:
106                 continue
107             if prevdir and target.startswith(prevdir):
108                 continue
109             if tp == "Directory":
110                 targetdir = target
111             else:
112                 targetdir = os.path.dirname(target)
113             sp = resolved.split("/", 1)
114             pdh = sp[0][5:]   # remove "keep:"
115             mounts[targetdir] = {
116                 "kind": "collection",
117                 "portable_data_hash": pdh
118             }
119             if len(sp) == 2:
120                 if tp == "Directory":
121                     path = sp[1]
122                 else:
123                     path = os.path.dirname(sp[1])
124                 if path and path != "/":
125                     mounts[targetdir]["path"] = path
126             prevdir = targetdir + "/"
127
128         with Perf(metrics, "generatefiles %s" % self.name):
129             if self.generatefiles["listing"]:
130                 vwd = arvados.collection.Collection(api_client=self.arvrunner.api,
131                                                     keep_client=self.arvrunner.keep_client,
132                                                     num_retries=self.arvrunner.num_retries)
133                 generatemapper = NoFollowPathMapper([self.generatefiles], "", "",
134                                                     separateDirs=False)
135
136                 sorteditems = sorted(generatemapper.items(), None, key=lambda n: n[1].target)
137
138                 logger.debug("generatemapper is %s", sorteditems)
139
140                 with Perf(metrics, "createfiles %s" % self.name):
141                     for f, p in sorteditems:
142                         if not p.target:
143                             pass
144                         elif p.type in ("File", "Directory", "WritableFile", "WritableDirectory"):
145                             if p.resolved.startswith("_:"):
146                                 vwd.mkdirs(p.target)
147                             else:
148                                 source, path = self.arvrunner.fs_access.get_collection(p.resolved)
149                                 vwd.copy(path, p.target, source_collection=source)
150                         elif p.type == "CreateFile":
151                             if self.arvrunner.secret_store.has_secret(p.resolved):
152                                 secret_mounts["%s/%s" % (self.outdir, p.target)] = {
153                                     "kind": "text",
154                                     "content": self.arvrunner.secret_store.retrieve(p.resolved)
155                                 }
156                             else:
157                                 with vwd.open(p.target, "w") as n:
158                                     n.write(p.resolved.encode("utf-8"))
159
160                 def keepemptydirs(p):
161                     if isinstance(p, arvados.collection.RichCollectionBase):
162                         if len(p) == 0:
163                             p.open(".keep", "w").close()
164                         else:
165                             for c in p:
166                                 keepemptydirs(p[c])
167
168                 keepemptydirs(vwd)
169
170                 if not runtimeContext.current_container:
171                     runtimeContext.current_container = get_current_container(self.arvrunner.api, self.arvrunner.num_retries, logger)
172                 info = get_intermediate_collection_info(self.name, runtimeContext.current_container, runtimeContext.intermediate_output_ttl)
173                 vwd.save_new(name=info["name"],
174                              owner_uuid=self.arvrunner.project_uuid,
175                              ensure_unique_name=True,
176                              trash_at=info["trash_at"],
177                              properties=info["properties"])
178
179                 prev = None
180                 for f, p in sorteditems:
181                     if (not p.target or self.arvrunner.secret_store.has_secret(p.resolved) or
182                         (prev is not None and p.target.startswith(prev))):
183                         continue
184                     mountpoint = "%s/%s" % (self.outdir, p.target)
185                     mounts[mountpoint] = {"kind": "collection",
186                                           "portable_data_hash": vwd.portable_data_hash(),
187                                           "path": p.target}
188                     if p.type.startswith("Writable"):
189                         mounts[mountpoint]["writable"] = True
190                     prev = p.target + "/"
191
192         container_request["environment"] = {"TMPDIR": self.tmpdir, "HOME": self.outdir}
193         if self.environment:
194             container_request["environment"].update(self.environment)
195
196         if self.stdin:
197             sp = self.stdin[6:].split("/", 1)
198             mounts["stdin"] = {"kind": "collection",
199                                 "portable_data_hash": sp[0],
200                                 "path": sp[1]}
201
202         if self.stderr:
203             mounts["stderr"] = {"kind": "file",
204                                 "path": "%s/%s" % (self.outdir, self.stderr)}
205
206         if self.stdout:
207             mounts["stdout"] = {"kind": "file",
208                                 "path": "%s/%s" % (self.outdir, self.stdout)}
209
210         (docker_req, docker_is_req) = self.get_requirement("DockerRequirement")
211         if not docker_req:
212             docker_req = {"dockerImageId": "arvados/jobs"}
213
214         container_request["container_image"] = arv_docker_get_image(self.arvrunner.api,
215                                                                      docker_req,
216                                                                      runtimeContext.pull_image,
217                                                                      self.arvrunner.project_uuid)
218
219         api_req, _ = self.get_requirement("http://arvados.org/cwl#APIRequirement")
220         if api_req:
221             runtime_constraints["API"] = True
222
223         runtime_req, _ = self.get_requirement("http://arvados.org/cwl#RuntimeConstraints")
224         if runtime_req:
225             if "keep_cache" in runtime_req:
226                 runtime_constraints["keep_cache_ram"] = math.ceil(runtime_req["keep_cache"] * 2**20)
227             if "outputDirType" in runtime_req:
228                 if runtime_req["outputDirType"] == "local_output_dir":
229                     # Currently the default behavior.
230                     pass
231                 elif runtime_req["outputDirType"] == "keep_output_dir":
232                     mounts[self.outdir]= {
233                         "kind": "collection",
234                         "writable": True
235                     }
236
237         partition_req, _ = self.get_requirement("http://arvados.org/cwl#PartitionRequirement")
238         if partition_req:
239             scheduling_parameters["partitions"] = aslist(partition_req["partition"])
240
241         intermediate_output_req, _ = self.get_requirement("http://arvados.org/cwl#IntermediateOutput")
242         if intermediate_output_req:
243             self.output_ttl = intermediate_output_req["outputTTL"]
244         else:
245             self.output_ttl = self.arvrunner.intermediate_output_ttl
246
247         if self.output_ttl < 0:
248             raise WorkflowException("Invalid value %d for output_ttl, cannot be less than zero" % container_request["output_ttl"])
249
250         if self.timelimit is not None:
251             scheduling_parameters["max_run_time"] = self.timelimit
252
253         container_request["output_name"] = "Output for step %s" % (self.name)
254         container_request["output_ttl"] = self.output_ttl
255         container_request["mounts"] = mounts
256         container_request["secret_mounts"] = secret_mounts
257         container_request["runtime_constraints"] = runtime_constraints
258         container_request["scheduling_parameters"] = scheduling_parameters
259
260         enable_reuse = runtimeContext.enable_reuse
261         if enable_reuse:
262             reuse_req, _ = self.get_requirement("http://arvados.org/cwl#ReuseRequirement")
263             if reuse_req:
264                 enable_reuse = reuse_req["enableReuse"]
265         container_request["use_existing"] = enable_reuse
266
267         if runtimeContext.runnerjob.startswith("arvwf:"):
268             wfuuid = runtimeContext.runnerjob[6:runtimeContext.runnerjob.index("#")]
269             wfrecord = self.arvrunner.api.workflows().get(uuid=wfuuid).execute(num_retries=self.arvrunner.num_retries)
270             if container_request["name"] == "main":
271                 container_request["name"] = wfrecord["name"]
272             container_request["properties"]["template_uuid"] = wfuuid
273
274         self.output_callback = self.arvrunner.get_wrapped_callback(self.output_callback)
275
276         try:
277             if runtimeContext.submit_request_uuid:
278                 response = self.arvrunner.api.container_requests().update(
279                     uuid=runtimeContext.submit_request_uuid,
280                     body=container_request
281                 ).execute(num_retries=self.arvrunner.num_retries)
282             else:
283                 response = self.arvrunner.api.container_requests().create(
284                     body=container_request
285                 ).execute(num_retries=self.arvrunner.num_retries)
286
287             self.uuid = response["uuid"]
288             self.arvrunner.process_submitted(self)
289
290             if response["state"] == "Final":
291                 logger.info("%s reused container %s", self.arvrunner.label(self), response["container_uuid"])
292             else:
293                 logger.info("%s %s state is %s", self.arvrunner.label(self), response["uuid"], response["state"])
294         except Exception as e:
295             logger.error("%s got error %s" % (self.arvrunner.label(self), str(e)))
296             self.output_callback({}, "permanentFail")
297
298     def done(self, record):
299         outputs = {}
300         try:
301             container = self.arvrunner.api.containers().get(
302                 uuid=record["container_uuid"]
303             ).execute(num_retries=self.arvrunner.num_retries)
304             if container["state"] == "Complete":
305                 rcode = container["exit_code"]
306                 if self.successCodes and rcode in self.successCodes:
307                     processStatus = "success"
308                 elif self.temporaryFailCodes and rcode in self.temporaryFailCodes:
309                     processStatus = "temporaryFail"
310                 elif self.permanentFailCodes and rcode in self.permanentFailCodes:
311                     processStatus = "permanentFail"
312                 elif rcode == 0:
313                     processStatus = "success"
314                 else:
315                     processStatus = "permanentFail"
316             else:
317                 processStatus = "permanentFail"
318
319             if processStatus == "permanentFail":
320                 logc = arvados.collection.CollectionReader(container["log"],
321                                                            api_client=self.arvrunner.api,
322                                                            keep_client=self.arvrunner.keep_client,
323                                                            num_retries=self.arvrunner.num_retries)
324                 label = self.arvrunner.label(self)
325                 done.logtail(
326                     logc, logger.error,
327                     "%s (%s) error log:" % (label, record["uuid"]), maxlen=40)
328
329             if record["output_uuid"]:
330                 if self.arvrunner.trash_intermediate or self.arvrunner.intermediate_output_ttl:
331                     # Compute the trash time to avoid requesting the collection record.
332                     trash_at = ciso8601.parse_datetime_unaware(record["modified_at"]) + datetime.timedelta(0, self.arvrunner.intermediate_output_ttl)
333                     aftertime = " at %s" % trash_at.strftime("%Y-%m-%d %H:%M:%S UTC") if self.arvrunner.intermediate_output_ttl else ""
334                     orpart = ", or" if self.arvrunner.trash_intermediate and self.arvrunner.intermediate_output_ttl else ""
335                     oncomplete = " upon successful completion of the workflow" if self.arvrunner.trash_intermediate else ""
336                     logger.info("%s Intermediate output %s (%s) will be trashed%s%s%s." % (
337                         self.arvrunner.label(self), record["output_uuid"], container["output"], aftertime, orpart, oncomplete))
338                 self.arvrunner.add_intermediate_output(record["output_uuid"])
339
340             if container["output"]:
341                 outputs = done.done_outputs(self, container, "/tmp", self.outdir, "/keep")
342         except WorkflowException as e:
343             logger.error("%s unable to collect output from %s:\n%s",
344                          self.arvrunner.label(self), container["output"], e, exc_info=(e if self.arvrunner.debug else False))
345             processStatus = "permanentFail"
346         except Exception as e:
347             logger.exception("%s while getting output object: %s", self.arvrunner.label(self), e)
348             processStatus = "permanentFail"
349         finally:
350             self.output_callback(outputs, processStatus)
351
352
353 class RunnerContainer(Runner):
354     """Submit and manage a container that runs arvados-cwl-runner."""
355
356     def arvados_job_spec(self, runtimeContext):
357         """Create an Arvados container request for this workflow.
358
359         The returned dict can be used to create a container passed as
360         the +body+ argument to container_requests().create().
361         """
362
363         adjustDirObjs(self.job_order, trim_listing)
364         visit_class(self.job_order, ("File", "Directory"), trim_anonymous_location)
365         visit_class(self.job_order, ("File", "Directory"), remove_redundant_fields)
366
367         secret_mounts = {}
368         for param in sorted(self.job_order.keys()):
369             if self.secret_store.has_secret(self.job_order[param]):
370                 mnt = "/secrets/s%d" % len(secret_mounts)
371                 secret_mounts[mnt] = {
372                     "kind": "text",
373                     "content": self.secret_store.retrieve(self.job_order[param])
374                 }
375                 self.job_order[param] = {"$include": mnt}
376
377         container_req = {
378             "name": self.name,
379             "output_path": "/var/spool/cwl",
380             "cwd": "/var/spool/cwl",
381             "priority": self.priority,
382             "state": "Committed",
383             "container_image": arvados_jobs_image(self.arvrunner, self.jobs_image),
384             "mounts": {
385                 "/var/lib/cwl/cwl.input.json": {
386                     "kind": "json",
387                     "content": self.job_order
388                 },
389                 "stdout": {
390                     "kind": "file",
391                     "path": "/var/spool/cwl/cwl.output.json"
392                 },
393                 "/var/spool/cwl": {
394                     "kind": "collection",
395                     "writable": True
396                 }
397             },
398             "secret_mounts": secret_mounts,
399             "runtime_constraints": {
400                 "vcpus": math.ceil(self.submit_runner_cores),
401                 "ram": math.ceil(1024*1024 * self.submit_runner_ram),
402                 "API": True
403             },
404             "use_existing": self.enable_reuse,
405             "properties": {}
406         }
407
408         if self.tool.tool.get("id", "").startswith("keep:"):
409             sp = self.tool.tool["id"].split('/')
410             workflowcollection = sp[0][5:]
411             workflowname = "/".join(sp[1:])
412             workflowpath = "/var/lib/cwl/workflow/%s" % workflowname
413             container_req["mounts"]["/var/lib/cwl/workflow"] = {
414                 "kind": "collection",
415                 "portable_data_hash": "%s" % workflowcollection
416             }
417         else:
418             packed = packed_workflow(self.arvrunner, self.tool, self.merged_map)
419             workflowpath = "/var/lib/cwl/workflow.json#main"
420             container_req["mounts"]["/var/lib/cwl/workflow.json"] = {
421                 "kind": "json",
422                 "content": packed
423             }
424             if self.tool.tool.get("id", "").startswith("arvwf:"):
425                 container_req["properties"]["template_uuid"] = self.tool.tool["id"][6:33]
426
427
428         # --local means execute the workflow instead of submitting a container request
429         # --api=containers means use the containers API
430         # --no-log-timestamps means don't add timestamps (the logging infrastructure does this)
431         # --disable-validate because we already validated so don't need to do it again
432         # --eval-timeout is the timeout for javascript invocation
433         # --parallel-task-count is the number of threads to use for job submission
434         # --enable/disable-reuse sets desired job reuse
435         command = ["arvados-cwl-runner",
436                    "--local",
437                    "--api=containers",
438                    "--no-log-timestamps",
439                    "--disable-validate",
440                    "--eval-timeout=%s" % self.arvrunner.eval_timeout,
441                    "--thread-count=%s" % self.arvrunner.thread_count,
442                    "--enable-reuse" if self.enable_reuse else "--disable-reuse"]
443
444         if self.output_name:
445             command.append("--output-name=" + self.output_name)
446             container_req["output_name"] = self.output_name
447
448         if self.output_tags:
449             command.append("--output-tags=" + self.output_tags)
450
451         if runtimeContext.debug:
452             command.append("--debug")
453
454         if runtimeContext.storage_classes != "default":
455             command.append("--storage-classes=" + runtimeContext.storage_classes)
456
457         if self.on_error:
458             command.append("--on-error=" + self.on_error)
459
460         if self.intermediate_output_ttl:
461             command.append("--intermediate-output-ttl=%d" % self.intermediate_output_ttl)
462
463         if self.arvrunner.trash_intermediate:
464             command.append("--trash-intermediate")
465
466         if self.arvrunner.project_uuid:
467             command.append("--project-uuid="+self.arvrunner.project_uuid)
468
469         command.extend([workflowpath, "/var/lib/cwl/cwl.input.json"])
470
471         container_req["command"] = command
472
473         return container_req
474
475
476     def run(self, runtimeContext):
477         runtimeContext.keepprefix = "keep:"
478         job_spec = self.arvados_job_spec(runtimeContext)
479         if self.arvrunner.project_uuid:
480             job_spec["owner_uuid"] = self.arvrunner.project_uuid
481
482         if runtimeContext.submit_request_uuid:
483             response = self.arvrunner.api.container_requests().update(
484                 uuid=runtimeContext.submit_request_uuid,
485                 body=job_spec
486             ).execute(num_retries=self.arvrunner.num_retries)
487         else:
488             response = self.arvrunner.api.container_requests().create(
489                 body=job_spec
490             ).execute(num_retries=self.arvrunner.num_retries)
491
492         self.uuid = response["uuid"]
493         self.arvrunner.process_submitted(self)
494
495         logger.info("%s submitted container_request %s", self.arvrunner.label(self), response["uuid"])
496
497     def done(self, record):
498         try:
499             container = self.arvrunner.api.containers().get(
500                 uuid=record["container_uuid"]
501             ).execute(num_retries=self.arvrunner.num_retries)
502         except Exception as e:
503             logger.exception("%s while getting runner container: %s", self.arvrunner.label(self), e)
504             self.arvrunner.output_callback({}, "permanentFail")
505         else:
506             super(RunnerContainer, self).done(container)