metaflow 2.13.5__py2.py3-none-any.whl → 2.13.7__py2.py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
metaflow/decorators.py CHANGED
@@ -591,9 +591,13 @@ def _init_flow_decorators(
591
591
  )
592
592
  else:
593
593
  # Each "non-multiple" flow decorator is only allowed to have one set of options
594
+ # Note that there may be no deco_options if a MutableFlow config injected
595
+ # the decorator.
594
596
  deco_flow_init_options = {
595
- option: deco_options[option.replace("-", "_")]
596
- for option in deco.options
597
+ option: deco_options.get(
598
+ option.replace("-", "_"), option_info["default"]
599
+ )
600
+ for option, option_info in deco.options.items()
597
601
  }
598
602
  for deco in decorators:
599
603
  deco.flow_init(
metaflow/flowspec.py CHANGED
@@ -86,6 +86,11 @@ class FlowSpecMeta(type):
86
86
  super().__init__(name, bases, attrs)
87
87
  if name == "FlowSpec":
88
88
  return
89
+
90
+ from .decorators import (
91
+ DuplicateFlowDecoratorException,
92
+ ) # Prevent circular import
93
+
89
94
  # We store some state in the flow class itself. This is primarily used to
90
95
  # attach global state to a flow. It is *not* an actual global because of
91
96
  # Runner/NBRunner. This is also created here in the meta class to avoid it being
@@ -98,6 +103,31 @@ class FlowSpecMeta(type):
98
103
  # Keys are _FlowState enum values
99
104
  cls._flow_state = {}
100
105
 
106
+ # We inherit stuff from our parent classes as well -- we need to be careful
107
+ # in terms of the order; we will follow the MRO with the following rules:
108
+ # - decorators (cls._flow_decorators) will cause an error if they do not
109
+ # support multiple and we see multiple instances of the same
110
+ # - config decorators will be joined
111
+ # - configs will be added later directly by the class; base class configs will
112
+ # be taken into account as they would be inherited.
113
+
114
+ # We only need to do this for the base classes since the current class will
115
+ # get updated as decorators are parsed.
116
+ for base in cls.__mro__:
117
+ if base != cls and base != FlowSpec and issubclass(base, FlowSpec):
118
+ # Take care of decorators
119
+ for deco_name, deco in base._flow_decorators.items():
120
+ if deco_name in cls._flow_decorators and not deco.allow_multiple:
121
+ raise DuplicateFlowDecoratorException(deco_name)
122
+ cls._flow_decorators.setdefault(deco_name, []).extend(deco)
123
+
124
+ # Take care of configs and config decorators
125
+ base_configs = base._flow_state.get(_FlowState.CONFIG_DECORATORS)
126
+ if base_configs:
127
+ cls._flow_state.setdefault(_FlowState.CONFIG_DECORATORS, []).extend(
128
+ base_configs
129
+ )
130
+
101
131
  cls._init_attrs()
102
132
 
103
133
  def _init_attrs(cls):
metaflow/parameters.py CHANGED
@@ -316,7 +316,7 @@ class Parameter(object):
316
316
  help : str, optional, default None
317
317
  Help text to show in `run --help`.
318
318
  required : bool, optional, default None
319
- Require that the user specified a value for the parameter. Note that if
319
+ Require that the user specifies a value for the parameter. Note that if
320
320
  a default is provide, the required flag is ignored.
321
321
  A value of None is equivalent to False.
322
322
  show_default : bool, optional, default None
@@ -624,6 +624,16 @@ class ArgoWorkflows(object):
624
624
  for event in trigger_on_finish_deco.triggers:
625
625
  # Actual filters are deduced here since we don't have access to
626
626
  # the current object in the @trigger_on_finish decorator.
627
+ project_name = event.get("project") or current.get("project_name")
628
+ branch_name = event.get("branch") or current.get("branch_name")
629
+ # validate that we have complete project info for an event name
630
+ if project_name or branch_name:
631
+ if not (project_name and branch_name):
632
+ # if one of the two is missing, we would end up listening to an event that will never be broadcast.
633
+ raise ArgoWorkflowsException(
634
+ "Incomplete project info. Please specify both 'project' and 'project_branch' or use the @project decorator"
635
+ )
636
+
627
637
  triggers.append(
628
638
  {
629
639
  # Make sure this remains consistent with the event name format
@@ -632,18 +642,16 @@ class ArgoWorkflows(object):
632
642
  % ".".join(
633
643
  v
634
644
  for v in [
635
- event.get("project") or current.get("project_name"),
636
- event.get("branch") or current.get("branch_name"),
645
+ project_name,
646
+ branch_name,
637
647
  event["flow"],
638
648
  ]
639
649
  if v
640
650
  ),
641
651
  "filters": {
642
652
  "auto-generated-by-metaflow": True,
643
- "project_name": event.get("project")
644
- or current.get("project_name"),
645
- "branch_name": event.get("branch")
646
- or current.get("branch_name"),
653
+ "project_name": project_name,
654
+ "branch_name": branch_name,
647
655
  # TODO: Add a time filters to guard against cached events
648
656
  },
649
657
  "type": "run",
@@ -841,8 +849,15 @@ class ArgoWorkflows(object):
841
849
  Metadata()
842
850
  .labels(self._base_labels)
843
851
  .label("app.kubernetes.io/name", "metaflow-task")
844
- .annotations(annotations)
845
- .annotations(self._base_annotations)
852
+ .annotations(
853
+ {
854
+ **annotations,
855
+ **self._base_annotations,
856
+ **{
857
+ "metaflow/run_id": "argo-{{workflow.name}}"
858
+ }, # we want pods of the workflow to have the run_id as an annotation as well
859
+ }
860
+ )
846
861
  )
847
862
  # Set the entrypoint to flow name
848
863
  .entrypoint(self.flow.name)
@@ -398,111 +398,23 @@ class TriggerOnFinishDecorator(FlowDecorator):
398
398
  )
399
399
  elif self.attributes["flow"]:
400
400
  # flow supports the format @trigger_on_finish(flow='FooFlow')
401
- if is_stringish(self.attributes["flow"]):
402
- self.triggers.append(
403
- {
404
- "fq_name": self.attributes["flow"],
405
- }
406
- )
407
- elif isinstance(self.attributes["flow"], dict):
408
- if "name" not in self.attributes["flow"]:
409
- raise MetaflowException(
410
- "The *flow* attribute for *@trigger_on_finish* is missing the "
411
- "*name* key."
412
- )
413
- flow_name = self.attributes["flow"]["name"]
414
-
415
- if not is_stringish(flow_name) or "." in flow_name:
416
- raise MetaflowException(
417
- "The *name* attribute of the *flow* is not a valid string"
418
- )
419
- result = {"fq_name": flow_name}
420
- if "project" in self.attributes["flow"]:
421
- if is_stringish(self.attributes["flow"]["project"]):
422
- result["project"] = self.attributes["flow"]["project"]
423
- else:
424
- raise MetaflowException(
425
- "The *project* attribute of the *flow* is not a string"
426
- )
427
- if "project_branch" in self.attributes["flow"]:
428
- if is_stringish(self.attributes["flow"]["project_branch"]):
429
- result["branch"] = self.attributes["flow"]["project_branch"]
430
- else:
431
- raise MetaflowException(
432
- "The *project_branch* attribute of the *flow* is not a string"
433
- )
434
- self.triggers.append(result)
435
- elif callable(self.attributes["flow"]) and not isinstance(
401
+ flow = self.attributes["flow"]
402
+ if callable(flow) and not isinstance(
436
403
  self.attributes["flow"], DeployTimeField
437
404
  ):
438
- trig = DeployTimeField(
439
- "fq_name", [str, dict], None, self.attributes["flow"], False
440
- )
405
+ trig = DeployTimeField("fq_name", [str, dict], None, flow, False)
441
406
  self.triggers.append(trig)
442
407
  else:
443
- raise MetaflowException(
444
- "Incorrect type for *flow* attribute in *@trigger_on_finish* "
445
- " decorator. Supported type is string or Dict[str, str] - \n"
446
- "@trigger_on_finish(flow='FooFlow') or "
447
- "@trigger_on_finish(flow={'name':'FooFlow', 'project_branch': 'branch'})"
448
- )
408
+ self.triggers.extend(self._parse_static_triggers([flow]))
449
409
  elif self.attributes["flows"]:
450
410
  # flows attribute supports the following formats -
451
411
  # 1. flows=['FooFlow', 'BarFlow']
452
- if isinstance(self.attributes["flows"], list):
453
- for flow in self.attributes["flows"]:
454
- if is_stringish(flow):
455
- self.triggers.append(
456
- {
457
- "fq_name": flow,
458
- }
459
- )
460
- elif isinstance(flow, dict):
461
- if "name" not in flow:
462
- raise MetaflowException(
463
- "One or more flows in the *flows* attribute for "
464
- "*@trigger_on_finish* is missing the "
465
- "*name* key."
466
- )
467
- flow_name = flow["name"]
468
-
469
- if not is_stringish(flow_name) or "." in flow_name:
470
- raise MetaflowException(
471
- "The *name* attribute '%s' is not a valid string"
472
- % str(flow_name)
473
- )
474
- result = {"fq_name": flow_name}
475
- if "project" in flow:
476
- if is_stringish(flow["project"]):
477
- result["project"] = flow["project"]
478
- else:
479
- raise MetaflowException(
480
- "The *project* attribute of the *flow* '%s' is not "
481
- "a string" % flow_name
482
- )
483
- if "project_branch" in flow:
484
- if is_stringish(flow["project_branch"]):
485
- result["branch"] = flow["project_branch"]
486
- else:
487
- raise MetaflowException(
488
- "The *project_branch* attribute of the *flow* %s "
489
- "is not a string" % flow_name
490
- )
491
- self.triggers.append(result)
492
- else:
493
- raise MetaflowException(
494
- "One or more flows in *flows* attribute in "
495
- "*@trigger_on_finish* decorator have an incorrect type. "
496
- "Supported type is string or Dict[str, str]- \n"
497
- "@trigger_on_finish(flows=['FooFlow', 'BarFlow']"
498
- )
499
- elif callable(self.attributes["flows"]) and not isinstance(
500
- self.attributes["flows"], DeployTimeField
501
- ):
502
- trig = DeployTimeField(
503
- "flows", list, None, self.attributes["flows"], False
504
- )
412
+ flows = self.attributes["flows"]
413
+ if callable(flows) and not isinstance(flows, DeployTimeField):
414
+ trig = DeployTimeField("flows", list, None, flows, False)
505
415
  self.triggers.append(trig)
416
+ elif isinstance(flows, list):
417
+ self.triggers.extend(self._parse_static_triggers(flows))
506
418
  else:
507
419
  raise MetaflowException(
508
420
  "Incorrect type for *flows* attribute in *@trigger_on_finish* "
@@ -519,26 +431,7 @@ class TriggerOnFinishDecorator(FlowDecorator):
519
431
  for trigger in self.triggers:
520
432
  if isinstance(trigger, DeployTimeField):
521
433
  continue
522
- if trigger["fq_name"].count(".") == 0:
523
- # fully qualified name is just the flow name
524
- trigger["flow"] = trigger["fq_name"]
525
- elif trigger["fq_name"].count(".") >= 2:
526
- # fully qualified name is of the format - project.branch.flow_name
527
- trigger["project"], tail = trigger["fq_name"].split(".", maxsplit=1)
528
- trigger["branch"], trigger["flow"] = tail.rsplit(".", maxsplit=1)
529
- else:
530
- raise MetaflowException(
531
- "Incorrect format for *flow* in *@trigger_on_finish* "
532
- "decorator. Specify either just the *flow_name* or a fully "
533
- "qualified name like *project_name.branch_name.flow_name*."
534
- )
535
- # TODO: Also sanity check project and branch names
536
- if not re.match(r"^[A-Za-z0-9_]+$", trigger["flow"]):
537
- raise MetaflowException(
538
- "Invalid flow name *%s* in *@trigger_on_finish* "
539
- "decorator. Only alphanumeric characters and "
540
- "underscores(_) are allowed." % trigger["flow"]
541
- )
434
+ self._parse_fq_name(trigger)
542
435
 
543
436
  self.options = self.attributes["options"]
544
437
 
@@ -593,9 +486,67 @@ class TriggerOnFinishDecorator(FlowDecorator):
593
486
  run_objs.append(run_obj)
594
487
  current._update_env({"trigger": Trigger.from_runs(run_objs)})
595
488
 
489
+ @staticmethod
490
+ def _parse_static_triggers(flows):
491
+ results = []
492
+ for flow in flows:
493
+ if is_stringish(flow):
494
+ results.append(
495
+ {
496
+ "fq_name": flow,
497
+ }
498
+ )
499
+ elif isinstance(flow, dict):
500
+ if "name" not in flow:
501
+ if len(flows) > 1:
502
+ raise MetaflowException(
503
+ "One or more flows in the *flows* attribute for "
504
+ "*@trigger_on_finish* is missing the "
505
+ "*name* key."
506
+ )
507
+ raise MetaflowException(
508
+ "The *flow* attribute for *@trigger_on_finish* is missing the "
509
+ "*name* key."
510
+ )
511
+ flow_name = flow["name"]
512
+
513
+ if not is_stringish(flow_name) or "." in flow_name:
514
+ raise MetaflowException(
515
+ f"The *name* attribute of the *flow* {flow_name} is not a valid string"
516
+ )
517
+ result = {"fq_name": flow_name}
518
+ if "project" in flow:
519
+ if is_stringish(flow["project"]):
520
+ result["project"] = flow["project"]
521
+ else:
522
+ raise MetaflowException(
523
+ f"The *project* attribute of the *flow* {flow_name} is not a string"
524
+ )
525
+ if "project_branch" in flow:
526
+ if is_stringish(flow["project_branch"]):
527
+ result["branch"] = flow["project_branch"]
528
+ else:
529
+ raise MetaflowException(
530
+ f"The *project_branch* attribute of the *flow* {flow_name} is not a string"
531
+ )
532
+ results.append(result)
533
+ else:
534
+ if len(flows) > 1:
535
+ raise MetaflowException(
536
+ "One or more flows in the *flows* attribute for "
537
+ "*@trigger_on_finish* decorator have an incorrect type. "
538
+ "Supported type is string or Dict[str, str]- \n"
539
+ "@trigger_on_finish(flows=['FooFlow', 'BarFlow']"
540
+ )
541
+ raise MetaflowException(
542
+ "Incorrect type for *flow* attribute in *@trigger_on_finish* "
543
+ " decorator. Supported type is string or Dict[str, str] - \n"
544
+ "@trigger_on_finish(flow='FooFlow') or "
545
+ "@trigger_on_finish(flow={'name':'FooFlow', 'project_branch': 'branch'})"
546
+ )
547
+ return results
548
+
596
549
  def _parse_fq_name(self, trigger):
597
- if isinstance(trigger, DeployTimeField):
598
- trigger["fq_name"] = deploy_time_eval(trigger["fq_name"])
599
550
  if trigger["fq_name"].count(".") == 0:
600
551
  # fully qualified name is just the flow name
601
552
  trigger["flow"] = trigger["fq_name"]
@@ -615,32 +566,18 @@ class TriggerOnFinishDecorator(FlowDecorator):
615
566
  "decorator. Only alphanumeric characters and "
616
567
  "underscores(_) are allowed." % trigger["flow"]
617
568
  )
618
- return trigger
619
569
 
620
570
  def format_deploytime_value(self):
621
- for trigger in self.triggers:
622
- # Case were trigger is a function that returns a list
623
- # Need to do this bc we need to iterate over list and process
624
- if isinstance(trigger, DeployTimeField):
625
- deploy_value = deploy_time_eval(trigger)
626
- if isinstance(deploy_value, list):
627
- self.triggers = deploy_value
571
+ if len(self.triggers) == 1 and isinstance(self.triggers[0], DeployTimeField):
572
+ deploy_value = deploy_time_eval(self.triggers[0])
573
+ if isinstance(deploy_value, list):
574
+ self.triggers = deploy_value
628
575
  else:
629
- break
630
- for trigger in self.triggers:
631
- # Entire trigger is a function (returns either string or dict)
632
- old_trig = trigger
633
- if isinstance(trigger, DeployTimeField):
634
- trigger = deploy_time_eval(trigger)
635
- if isinstance(trigger, dict):
636
- trigger["fq_name"] = trigger.get("name")
637
- trigger["project"] = trigger.get("project")
638
- trigger["branch"] = trigger.get("project_branch")
639
- # We also added this bc it won't be formatted yet
640
- if isinstance(trigger, str):
641
- trigger = {"fq_name": trigger}
642
- trigger = self._parse_fq_name(trigger)
643
- self.triggers[self.triggers.index(old_trig)] = trigger
576
+ self.triggers = [deploy_value]
577
+ triggers = self._parse_static_triggers(self.triggers)
578
+ for trigger in triggers:
579
+ self._parse_fq_name(trigger)
580
+ self.triggers = triggers
644
581
 
645
582
  def get_top_level_options(self):
646
583
  return list(self._option_values.items())
@@ -669,15 +669,6 @@ class Kubernetes(object):
669
669
  for name, value in system_annotations.items():
670
670
  job.annotation(name, value)
671
671
 
672
- (
673
- job.annotation("metaflow/run_id", run_id)
674
- .annotation("metaflow/step_name", step_name)
675
- .annotation("metaflow/task_id", task_id)
676
- .annotation("metaflow/attempt", attempt)
677
- .label("app.kubernetes.io/name", "metaflow-task")
678
- .label("app.kubernetes.io/part-of", "metaflow")
679
- )
680
-
681
672
  return job
682
673
 
683
674
  def create_k8sjob(self, job):
@@ -371,6 +371,8 @@ class MetaflowAPI(object):
371
371
  else:
372
372
  components.append(v)
373
373
  for k, v in options.items():
374
+ if v is None:
375
+ continue
374
376
  if isinstance(v, list):
375
377
  for i in v:
376
378
  if isinstance(i, tuple):
@@ -169,7 +169,7 @@ class ConfigInput:
169
169
  "Please contact support."
170
170
  )
171
171
  cls.loaded_configs = all_configs
172
- return cls.loaded_configs.get(config_name, None)
172
+ return cls.loaded_configs[config_name]
173
173
 
174
174
  def process_configs(
175
175
  self,
@@ -326,6 +326,8 @@ class ConfigInput:
326
326
  for name, val in merged_configs.items():
327
327
  if val is None:
328
328
  missing_configs.add(name)
329
+ to_return[name] = None
330
+ flow_cls._flow_state[_FlowState.CONFIGS][name] = None
329
331
  continue
330
332
  if val.startswith(_CONVERTED_DEFAULT_NO_FILE):
331
333
  no_default_file.append(name)
@@ -339,15 +341,16 @@ class ConfigInput:
339
341
  val = val[len(_DEFAULT_PREFIX) :]
340
342
  if val.startswith("kv."):
341
343
  # This means to load it from a file
342
- read_value = self.get_config(val[3:])
343
- if read_value is None:
344
+ try:
345
+ read_value = self.get_config(val[3:])
346
+ except KeyError as e:
344
347
  exc = click.UsageError(
345
348
  "Could not find configuration '%s' in INFO file" % val
346
349
  )
347
350
  if click_obj:
348
351
  click_obj.delayed_config_exception = exc
349
352
  return None
350
- raise exc
353
+ raise exc from e
351
354
  flow_cls._flow_state[_FlowState.CONFIGS][name] = read_value
352
355
  to_return[name] = ConfigValue(read_value)
353
356
  else:
@@ -290,17 +290,17 @@ class Config(Parameter, collections.abc.Mapping):
290
290
  default : Union[str, Callable[[ParameterContext], str], optional, default None
291
291
  Default path from where to read this configuration. A function implies that the
292
292
  value will be computed using that function.
293
- You can only specify default or default_value.
293
+ You can only specify default or default_value, not both.
294
294
  default_value : Union[str, Dict[str, Any], Callable[[ParameterContext, Union[str, Dict[str, Any]]], Any], optional, default None
295
295
  Default value for the parameter. A function
296
296
  implies that the value will be computed using that function.
297
- You can only specify default or default_value.
297
+ You can only specify default or default_value, not both.
298
298
  help : str, optional, default None
299
299
  Help text to show in `run --help`.
300
300
  required : bool, optional, default None
301
- Require that the user specified a value for the configuration. Note that if
302
- a default is provided, the required flag is ignored. A value of None is
303
- equivalent to False.
301
+ Require that the user specifies a value for the configuration. Note that if
302
+ a default or default_value is provided, the required flag is ignored.
303
+ A value of None is equivalent to False.
304
304
  parser : Union[str, Callable[[str], Dict[Any, Any]]], optional, default None
305
305
  If a callable, it is a function that can parse the configuration string
306
306
  into an arbitrarily nested dictionary. If a string, the string should refer to
@@ -330,13 +330,13 @@ class Config(Parameter, collections.abc.Mapping):
330
330
  **kwargs: Dict[str, str]
331
331
  ):
332
332
 
333
- if default and default_value:
333
+ if default is not None and default_value is not None:
334
334
  raise MetaflowException(
335
335
  "For config '%s', you can only specify default or default_value, not both"
336
336
  % name
337
337
  )
338
338
  self._default_is_file = default is not None
339
- kwargs["default"] = default or default_value
339
+ kwargs["default"] = default if default is not None else default_value
340
340
  super(Config, self).__init__(
341
341
  name, required=required, help=help, type=str, **kwargs
342
342
  )
metaflow/version.py CHANGED
@@ -1 +1 @@
1
- metaflow_version = "2.13.5"
1
+ metaflow_version = "2.13.7"
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.2
2
2
  Name: metaflow
3
- Version: 2.13.5
3
+ Version: 2.13.7
4
4
  Summary: Metaflow: More Data Science, Less Engineering
5
5
  Author: Metaflow Developers
6
6
  Author-email: help@metaflow.org
@@ -26,7 +26,7 @@ License-File: LICENSE
26
26
  Requires-Dist: requests
27
27
  Requires-Dist: boto3
28
28
  Provides-Extra: stubs
29
- Requires-Dist: metaflow-stubs==2.13.5; extra == "stubs"
29
+ Requires-Dist: metaflow-stubs==2.13.7; extra == "stubs"
30
30
  Dynamic: author
31
31
  Dynamic: author-email
32
32
  Dynamic: classifier
@@ -6,11 +6,11 @@ metaflow/cli_args.py,sha256=muIh9pdVqMRG09uAYFKcAcUKFyDE4N3Wm6YahWRaUNI,3594
6
6
  metaflow/clone_util.py,sha256=LSuVbFpPUh92UW32DBcnZbL0FFw-4w3CLa0tpEbCkzk,2066
7
7
  metaflow/cmd_with_io.py,sha256=kl53HkAIyv0ecpItv08wZYczv7u3msD1VCcciqigqf0,588
8
8
  metaflow/debug.py,sha256=HEmt_16tJtqHXQXsqD9pqOFe3CWR5GZ7VwpaYQgnRdU,1466
9
- metaflow/decorators.py,sha256=5xgIUuIcO52dKGUQ8fe-pmULdXIUwwMy86Uz2OZxOkw,23929
9
+ metaflow/decorators.py,sha256=cbOCahmwVlnHklMN2O_j5DKvZA7m_Q72_6LBzzBZRhk,24131
10
10
  metaflow/event_logger.py,sha256=joTVRqZPL87nvah4ZOwtqWX8NeraM_CXKXXGVpKGD8o,780
11
11
  metaflow/events.py,sha256=ahjzkSbSnRCK9RZ-9vTfUviz_6gMvSO9DGkJ86X80-k,5300
12
12
  metaflow/exception.py,sha256=_m9ZBJM0cooHRslDqfxCPQmkChqaTh6fGxp7HvISnYI,5161
13
- metaflow/flowspec.py,sha256=Ph4HrZPQ7t3Z7T3vAoNKlHCd7ejsOFkMrfXGpqttVtU,33952
13
+ metaflow/flowspec.py,sha256=YtLlqg-MeH16rjsOU38NfPg_F-0cmzm2w4w-CPSfLxE,35510
14
14
  metaflow/graph.py,sha256=cdpnWr85aEj_rRn-7EjbndWjr_i8Dt3P7-oPUW0NNpI,12393
15
15
  metaflow/includefile.py,sha256=kWKDSlzVcRVNGG9PV5eB3o2ynrzqhVsfaLtkqjshn7Q,20948
16
16
  metaflow/info_file.py,sha256=wtf2_F0M6dgiUu74AFImM8lfy5RrUw5Yj7Rgs2swKRY,686
@@ -25,7 +25,7 @@ metaflow/metaflow_version.py,sha256=duhIzfKZtcxMVMs2uiBqBvUarSHJqyWDwMhaBOQd_g0,
25
25
  metaflow/monitor.py,sha256=T0NMaBPvXynlJAO_avKtk8OIIRMyEuMAyF8bIp79aZU,5323
26
26
  metaflow/multicore_utils.py,sha256=yEo5T6Gemn4_vl8b6IOz7fsTUYtEyqa3AaKZgJY96Wc,4974
27
27
  metaflow/package.py,sha256=yfwVMVB1mD-Sw94KwXNK3N-26YHoKMn6btrcgd67Izs,7845
28
- metaflow/parameters.py,sha256=ycSTJzQc3rOburSl9prD__qgCxlPU0Cx8ntdEYuzoYU,18621
28
+ metaflow/parameters.py,sha256=zyxDTkHXqVr7CUw509qsrBXGFpBMlqLL2-iwbIr0oiw,18621
29
29
  metaflow/procpoll.py,sha256=U2tE4iK_Mwj2WDyVTx_Uglh6xZ-jixQOo4wrM9OOhxg,2859
30
30
  metaflow/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
31
31
  metaflow/pylint_wrapper.py,sha256=zzBY9YaSUZOGH-ypDKAv2B_7XcoyMZj-zCoCrmYqNRc,2865
@@ -36,7 +36,7 @@ metaflow/tuple_util.py,sha256=_G5YIEhuugwJ_f6rrZoelMFak3DqAR2tt_5CapS1XTY,830
36
36
  metaflow/unbounded_foreach.py,sha256=p184WMbrMJ3xKYHwewj27ZhRUsSj_kw1jlye5gA9xJk,387
37
37
  metaflow/util.py,sha256=hKjHl6NYJkKBSU2tzdVbddfOX1zWK73T4GCO42A0XB4,14666
38
38
  metaflow/vendor.py,sha256=FchtA9tH22JM-eEtJ2c9FpUdMn8sSb1VHuQS56EcdZk,5139
39
- metaflow/version.py,sha256=3DskisNYGb1X_79clFayeGjmYoYe6Nydsy4YBI-w0Ew,28
39
+ metaflow/version.py,sha256=I5W69AiJspPF2RE5ZwKwkBuaUE9t49qlX9xe1PtKOMI,28
40
40
  metaflow/_vendor/__init__.py,sha256=y_CiwUD3l4eAKvTVDZeqgVujMy31cAM1qjAB-HfI-9s,353
41
41
  metaflow/_vendor/typing_extensions.py,sha256=0nUs5p1A_UrZigrAVBoOEM6TxU37zzPDUtiij1ZwpNc,110417
42
42
  metaflow/_vendor/zipp.py,sha256=ajztOH-9I7KA_4wqDYygtHa6xUBVZgFpmZ8FE74HHHI,8425
@@ -154,7 +154,7 @@ metaflow/plugins/catch_decorator.py,sha256=UOM2taN_OL2RPpuJhwEOA9ZALm0-hHD0XS2Hn
154
154
  metaflow/plugins/debug_logger.py,sha256=mcF5HYzJ0NQmqCMjyVUk3iAP-heroHRIiVWQC6Ha2-I,879
155
155
  metaflow/plugins/debug_monitor.py,sha256=Md5X_sDOSssN9pt2D8YcaIjTK5JaQD55UAYTcF6xYF0,1099
156
156
  metaflow/plugins/environment_decorator.py,sha256=6m9j2B77d-Ja_l_9CTJ__0O6aB2a8Qt_lAZu6UjAcUA,587
157
- metaflow/plugins/events_decorator.py,sha256=WsLcuy-FmXpQ6mvm431deTB2hE-fPYILgbVSWHRXslQ,28121
157
+ metaflow/plugins/events_decorator.py,sha256=T_YSK-DlgZhd3ge9PlpTRNaMi15GK0tKZMZl1NdV9DQ,24403
158
158
  metaflow/plugins/logs_cli.py,sha256=77W5UNagU2mOKSMMvrQxQmBLRzvmjK-c8dWxd-Ygbqs,11410
159
159
  metaflow/plugins/package_cli.py,sha256=-J6D4cupHfWSZ4GEFo2yy9Je9oL3owRWm5pEJwaiqd4,1649
160
160
  metaflow/plugins/parallel_decorator.py,sha256=GR6LKIW7_S7AoU50Ar2_0nndVtO2epdn3LuthE0vKMQ,9127
@@ -181,7 +181,7 @@ metaflow/plugins/airflow/sensors/s3_sensor.py,sha256=iDReG-7FKnumrtQg-HY6cCUAAqN
181
181
  metaflow/plugins/argo/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
182
182
  metaflow/plugins/argo/argo_client.py,sha256=PS_cYGnPw9h4X7TP_plObDH3clMw4reOsBLkkGPTd0Y,16282
183
183
  metaflow/plugins/argo/argo_events.py,sha256=_C1KWztVqgi3zuH57pInaE9OzABc2NnncC-zdwOMZ-w,5909
184
- metaflow/plugins/argo/argo_workflows.py,sha256=HgreJyYibFiWScq9mvd0p0bM8NJPX49n0gdnhUVGoHI,175591
184
+ metaflow/plugins/argo/argo_workflows.py,sha256=72zuqG23uBHDhoCJl52jHmbLE_w1lvZV5EnrkVggBJg,176389
185
185
  metaflow/plugins/argo/argo_workflows_cli.py,sha256=11_8l4IrtkwviKsijInTZPt7YK5TZzClREnw_Cf4D5o,36706
186
186
  metaflow/plugins/argo/argo_workflows_decorator.py,sha256=ogCSBmwsC2C3eusydrgjuAJd4qK18f1sI4jJwA4Fd-o,7800
187
187
  metaflow/plugins/argo/argo_workflows_deployer.py,sha256=6kHxEnYXJwzNCM9swI8-0AckxtPWqwhZLerYkX8fxUM,4444
@@ -288,7 +288,7 @@ metaflow/plugins/gcp/gs_utils.py,sha256=ZmIGFse1qYyvAVrwga23PQUzF6dXEDLLsZ2F-YRm
288
288
  metaflow/plugins/gcp/includefile_support.py,sha256=OQO0IVWv4ObboL0VqEZwcDOyj9ORLdur66JToxQ84vU,3887
289
289
  metaflow/plugins/kubernetes/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
290
290
  metaflow/plugins/kubernetes/kube_utils.py,sha256=jdFMGbEmIow-oli26v31W9CmbZXigx06b3D_xIobpk0,4140
291
- metaflow/plugins/kubernetes/kubernetes.py,sha256=7yaa1TL3TcC-Js6_kAi0HGFLbXesMw3WiKWPlN9yIxo,30028
291
+ metaflow/plugins/kubernetes/kubernetes.py,sha256=g_E5jBhoMSDzGFnP5PDQiVPPllUr1wulVcG3tz247G8,29668
292
292
  metaflow/plugins/kubernetes/kubernetes_cli.py,sha256=o_o0BDEJFpTuga7txRmkvZH8OIuTb5kI4UaG6xbzf84,13929
293
293
  metaflow/plugins/kubernetes/kubernetes_client.py,sha256=tuvXP-QKpdeSmzVolB2R_TaacOr5DIb0j642eKcjsiM,6491
294
294
  metaflow/plugins/kubernetes/kubernetes_decorator.py,sha256=OwIuB9MAeO_fmTv3_IurDnbL_szXH7et3TwEva4PCfc,30853
@@ -312,7 +312,7 @@ metaflow/plugins/secrets/__init__.py,sha256=mhJaN2eMS_ZZVewAMR2E-JdP5i0t3v9e6Dcw
312
312
  metaflow/plugins/secrets/inline_secrets_provider.py,sha256=EChmoBGA1i7qM3jtYwPpLZDBybXLergiDlN63E0u3x8,294
313
313
  metaflow/plugins/secrets/secrets_decorator.py,sha256=s-sFzPWOjahhpr5fMj-ZEaHkDYAPTO0isYXGvaUwlG8,11273
314
314
  metaflow/runner/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
315
- metaflow/runner/click_api.py,sha256=13CM3RsH3dJ6YJTQnNafLEZ_teTnYMyfoR2Cf5baVbM,21772
315
+ metaflow/runner/click_api.py,sha256=2uj3y-pZ2OF3J-mz4VbMQqcXFYy6NUeoN2OgjKZT5-c,21839
316
316
  metaflow/runner/deployer.py,sha256=Yas_SZCss3kfJw3hLC8_IyzgiytUFGoEGHz-l-rBBKk,8980
317
317
  metaflow/runner/deployer_impl.py,sha256=nzQJiJxjgZxewkkK5pHshfVeZOUUf5-FzS0pPJimktM,5930
318
318
  metaflow/runner/metaflow_runner.py,sha256=T41AWkuQq56ID90B7I-RFr9zexuZYtknsstSoqell7A,15861
@@ -358,11 +358,11 @@ metaflow/tutorials/08-autopilot/README.md,sha256=GnePFp_q76jPs991lMUqfIIh5zSorIe
358
358
  metaflow/tutorials/08-autopilot/autopilot.ipynb,sha256=DQoJlILV7Mq9vfPBGW-QV_kNhWPjS5n6SJLqePjFYLY,3191
359
359
  metaflow/user_configs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
360
360
  metaflow/user_configs/config_decorators.py,sha256=Tj0H88UT8Q6pylXxHXgiA6cqnNlw4d3mR7M8J9g3ZUg,20139
361
- metaflow/user_configs/config_options.py,sha256=Knpiax_YGmYAdR3zKmaepN8puW1MyL9g6-eMGAkcylo,20942
362
- metaflow/user_configs/config_parameters.py,sha256=T0Zz18o9zKEV7mMcKotFWvXixhJpotLRBVrKx6ENErQ,15416
363
- metaflow-2.13.5.dist-info/LICENSE,sha256=nl_Lt5v9VvJ-5lWJDT4ddKAG-VZ-2IaLmbzpgYDz2hU,11343
364
- metaflow-2.13.5.dist-info/METADATA,sha256=8_zAjFu6yf75apsgNeoWmncpzpEhuji4C-JYe3w8HBg,6121
365
- metaflow-2.13.5.dist-info/WHEEL,sha256=9Hm2OB-j1QcCUq9Jguht7ayGIIZBRTdOXD1qg9cCgPM,109
366
- metaflow-2.13.5.dist-info/entry_points.txt,sha256=IKwTN1T3I5eJL3uo_vnkyxVffcgnRdFbKwlghZfn27k,57
367
- metaflow-2.13.5.dist-info/top_level.txt,sha256=v1pDHoWaSaKeuc5fKTRSfsXCKSdW1zvNVmvA-i0if3o,9
368
- metaflow-2.13.5.dist-info/RECORD,,
361
+ metaflow/user_configs/config_options.py,sha256=t6c9KNVGz9GNK55YAow74Lof4sDZqCbeeZSzldUBFmA,21072
362
+ metaflow/user_configs/config_parameters.py,sha256=oeJGVKu1ao_YQX6Lg6P2FEv5k5-_F4sARLlVpTW9ezM,15502
363
+ metaflow-2.13.7.dist-info/LICENSE,sha256=nl_Lt5v9VvJ-5lWJDT4ddKAG-VZ-2IaLmbzpgYDz2hU,11343
364
+ metaflow-2.13.7.dist-info/METADATA,sha256=Vaur5cylzQRJJ1ItdnUycx6lScVYa6cMFWbBsr0P-dY,6121
365
+ metaflow-2.13.7.dist-info/WHEEL,sha256=9Hm2OB-j1QcCUq9Jguht7ayGIIZBRTdOXD1qg9cCgPM,109
366
+ metaflow-2.13.7.dist-info/entry_points.txt,sha256=IKwTN1T3I5eJL3uo_vnkyxVffcgnRdFbKwlghZfn27k,57
367
+ metaflow-2.13.7.dist-info/top_level.txt,sha256=v1pDHoWaSaKeuc5fKTRSfsXCKSdW1zvNVmvA-i0if3o,9
368
+ metaflow-2.13.7.dist-info/RECORD,,