flyte 2.0.0b3__py3-none-any.whl → 2.0.0b5__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.

Potentially problematic release.


This version of flyte might be problematic. Click here for more details.

flyte/cli/_deploy.py CHANGED
@@ -1,3 +1,4 @@
1
+ import pathlib
1
2
  from dataclasses import dataclass, field, fields
2
3
  from pathlib import Path
3
4
  from types import ModuleType
@@ -43,6 +44,36 @@ class DeployArguments:
43
44
  )
44
45
  },
45
46
  )
47
+ recursive: bool = field(
48
+ default=False,
49
+ metadata={
50
+ "click.option": click.Option(
51
+ ["--recursive", "-r"],
52
+ is_flag=True,
53
+ help="Recursively deploy all environments in the current directory",
54
+ )
55
+ },
56
+ )
57
+ all: bool = field(
58
+ default=False,
59
+ metadata={
60
+ "click.option": click.Option(
61
+ ["--all"],
62
+ is_flag=True,
63
+ help="Deploy all environments in the current directory, ignoring the file name",
64
+ )
65
+ },
66
+ )
67
+ ignore_load_errors: bool = field(
68
+ default=False,
69
+ metadata={
70
+ "click.option": click.Option(
71
+ ["--ignore-load-errors", "-i"],
72
+ is_flag=True,
73
+ help="Ignore errors when loading environments especially when using --recursive or --all.",
74
+ )
75
+ },
76
+ )
46
77
 
47
78
  @classmethod
48
79
  def from_dict(cls, d: Dict[str, Any]) -> "DeployArguments":
@@ -57,9 +88,9 @@ class DeployArguments:
57
88
 
58
89
 
59
90
  class DeployEnvCommand(click.Command):
60
- def __init__(self, obj_name: str, obj: Any, deploy_args: DeployArguments, *args, **kwargs):
61
- self.obj_name = obj_name
62
- self.obj = obj
91
+ def __init__(self, env_name: str, env: Any, deploy_args: DeployArguments, *args, **kwargs):
92
+ self.env_name = env_name
93
+ self.env = env
63
94
  self.deploy_args = deploy_args
64
95
  super().__init__(*args, **kwargs)
65
96
 
@@ -67,19 +98,81 @@ class DeployEnvCommand(click.Command):
67
98
  from rich.console import Console
68
99
 
69
100
  console = Console()
70
- console.print(f"Deploying root - environment: {self.obj_name}")
101
+ console.print(f"Deploying root - environment: {self.env_name}")
71
102
  obj: CLIConfig = ctx.obj
72
103
  obj.init(self.deploy_args.project, self.deploy_args.domain)
73
104
  with console.status("Deploying...", spinner="dots"):
74
105
  deployment = flyte.deploy(
75
- self.obj,
106
+ self.env,
76
107
  dryrun=self.deploy_args.dry_run,
77
108
  copy_style=self.deploy_args.copy_style,
78
109
  version=self.deploy_args.version,
79
110
  )
80
111
 
81
- console.print(common.get_table("Environments", deployment.env_repr(), simple=obj.simple))
82
- console.print(common.get_table("Tasks", deployment.task_repr(), simple=obj.simple))
112
+ console.print(common.get_table("Environments", deployment[0].env_repr(), simple=obj.simple))
113
+ console.print(common.get_table("Tasks", deployment[0].task_repr(), simple=obj.simple))
114
+
115
+
116
+ class DeployEnvRecursiveCommand(click.Command):
117
+ """
118
+ Command to deploy all loaded environments in a directory or a file, optionally recursively.
119
+ This command will load all python files in the directory, and deploy all environments found in them.
120
+ If the path is a file, it will deploy all environments in that file.
121
+ """
122
+
123
+ def __init__(self, path: pathlib.Path, deploy_args: DeployArguments, *args, **kwargs):
124
+ self.path = path
125
+ self.deploy_args = deploy_args
126
+ super().__init__(*args, **kwargs)
127
+
128
+ def invoke(self, ctx: Context):
129
+ from rich.console import Console
130
+
131
+ from flyte._environment import list_loaded_environments
132
+ from flyte._utils import load_python_modules
133
+
134
+ console = Console()
135
+ obj: CLIConfig = ctx.obj
136
+
137
+ # Load all python modules
138
+ loaded_modules, failed_paths = load_python_modules(self.path, self.deploy_args.recursive)
139
+ if failed_paths:
140
+ console.print(f"Loaded {len(loaded_modules)} modules with, but failed to load {len(failed_paths)} paths:")
141
+ console.print(
142
+ common.get_table("Modules", [[("Path", p), ("Err", e)] for p, e in failed_paths], simple=obj.simple)
143
+ )
144
+ else:
145
+ console.print(f"Loaded {len(loaded_modules)} modules")
146
+
147
+ # Get newly loaded environments
148
+ all_envs = list_loaded_environments()
149
+ if not all_envs:
150
+ console.print("No environments found to deploy")
151
+ return
152
+ console.print(
153
+ common.get_table("Loaded Environments", [[("name", e.name)] for e in all_envs], simple=obj.simple)
154
+ )
155
+
156
+ if not self.deploy_args.ignore_load_errors and len(failed_paths) > 0:
157
+ raise click.ClickException(
158
+ f"Failed to load {len(failed_paths)} files. Use --ignore-load-errors to ignore these errors."
159
+ )
160
+ # Now start connection and deploy all environments
161
+ obj.init(self.deploy_args.project, self.deploy_args.domain)
162
+ with console.status("Deploying...", spinner="dots"):
163
+ deployments = flyte.deploy(
164
+ *all_envs,
165
+ dryrun=self.deploy_args.dry_run,
166
+ copy_style=self.deploy_args.copy_style,
167
+ version=self.deploy_args.version,
168
+ )
169
+
170
+ console.print(
171
+ common.get_table("Environments", [env for d in deployments for env in d.env_repr()], simple=obj.simple)
172
+ )
173
+ console.print(
174
+ common.get_table("Tasks", [task for d in deployments for task in d.task_repr()], simple=obj.simple)
175
+ )
83
176
 
84
177
 
85
178
  class EnvPerFileGroup(common.ObjectsPerFileGroup):
@@ -99,8 +192,8 @@ class EnvPerFileGroup(common.ObjectsPerFileGroup):
99
192
  obj = cast(flyte.Environment, obj)
100
193
  return DeployEnvCommand(
101
194
  name=obj_name,
102
- obj_name=obj_name,
103
- obj=obj,
195
+ env_name=obj_name,
196
+ env=obj,
104
197
  help=f"{obj.name}" + (f": {obj.description}" if obj.description else ""),
105
198
  deploy_args=self.deploy_args,
106
199
  )
@@ -116,20 +209,35 @@ class EnvFiles(common.FileGroup):
116
209
  def __init__(
117
210
  self,
118
211
  *args,
212
+ directory: Path | None = None,
119
213
  **kwargs,
120
214
  ):
121
215
  if "params" not in kwargs:
122
216
  kwargs["params"] = []
123
217
  kwargs["params"].extend(DeployArguments.options())
124
- super().__init__(*args, **kwargs)
218
+ super().__init__(*args, directory=directory, **kwargs)
125
219
 
126
220
  def get_command(self, ctx, filename):
127
221
  deploy_args = DeployArguments.from_dict(ctx.params)
222
+ fp = Path(filename)
223
+ if not fp.exists():
224
+ raise click.BadParameter(f"File {filename} does not exist")
225
+ if deploy_args.recursive or deploy_args.all:
226
+ # If recursive or all, we want to deploy all environments in the current directory
227
+ return DeployEnvRecursiveCommand(
228
+ path=fp,
229
+ deploy_args=deploy_args,
230
+ name=filename,
231
+ help="Deploy all loaded environments from the file, or directory (optional recursively)",
232
+ )
233
+ if fp.is_dir():
234
+ # If the path is a directory, we want to deploy all environments in that directory
235
+ return EnvFiles(directory=fp)
128
236
  return EnvPerFileGroup(
129
- filename=Path(filename),
237
+ filename=fp,
130
238
  deploy_args=deploy_args,
131
239
  name=filename,
132
- help=f"Run, functions decorated `env.task` or instances of Tasks in {filename}",
240
+ help="Deploy a single environment and all its dependencies, from the file.",
133
241
  )
134
242
 
135
243
 
flyte/cli/_run.py CHANGED
@@ -199,7 +199,7 @@ class TaskFiles(common.FileGroup):
199
199
  if fp.is_dir():
200
200
  return TaskFiles(directory=fp)
201
201
  return TaskPerFileGroup(
202
- filename=Path(filename),
202
+ filename=fp,
203
203
  run_args=run_args,
204
204
  name=filename,
205
205
  help=f"Run, functions decorated with `env.task` in {filename}",
flyte/errors.py CHANGED
@@ -181,6 +181,16 @@ class ImageBuildError(RuntimeUserError):
181
181
  super().__init__("ImageBuildError", message, "user")
182
182
 
183
183
 
184
+ class ModuleLoadError(RuntimeUserError):
185
+ """
186
+ This error is raised when the module cannot be loaded, either because it does not exist or because of a
187
+ syntax error.
188
+ """
189
+
190
+ def __init__(self, message: str):
191
+ super().__init__("ModuleLoadError", message, "user")
192
+
193
+
184
194
  class InlineIOMaxBytesBreached(RuntimeUserError):
185
195
  """
186
196
  This error is raised when the inline IO max bytes limit is breached.
flyte/models.py CHANGED
@@ -4,7 +4,7 @@ import inspect
4
4
  import os
5
5
  import pathlib
6
6
  from dataclasses import dataclass, field, replace
7
- from typing import TYPE_CHECKING, Any, Callable, ClassVar, Dict, Literal, Optional, Tuple, Type
7
+ from typing import TYPE_CHECKING, Any, Callable, ClassVar, Dict, List, Literal, Optional, Tuple, Type
8
8
 
9
9
  import rich.repr
10
10
 
@@ -270,6 +270,14 @@ class NativeInterface:
270
270
  """
271
271
  return self.outputs is not None and len(self.outputs) > 0
272
272
 
273
+ def required_inputs(self) -> List[str]:
274
+ """
275
+ Get the names of the required inputs for the task. This is used to determine which inputs are required for the
276
+ task execution.
277
+ :return: A list of required input names.
278
+ """
279
+ return [k for k, v in self.inputs.items() if v[1] is inspect.Parameter.empty]
280
+
273
281
  def num_required_inputs(self) -> int:
274
282
  """
275
283
  Get the number of required inputs for the task. This is used to determine how many inputs are required for the
flyte/report/_report.py CHANGED
@@ -145,7 +145,11 @@ async def flush():
145
145
  assert report_html is not None
146
146
  assert isinstance(report_html, str)
147
147
  report_path = io.report_path(internal_ctx().data.task_context.output_path)
148
- final_path = await storage.put_stream(report_html.encode("utf-8"), to_path=report_path)
148
+ content_types = {
149
+ "Content-Type": "text/html", # For s3
150
+ "content_type": "text/html", # For gcs
151
+ }
152
+ final_path = await storage.put_stream(report_html.encode("utf-8"), to_path=report_path, attributes=content_types)
149
153
  logger.debug(f"Report flushed to {final_path}")
150
154
 
151
155
 
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: flyte
3
- Version: 2.0.0b3
3
+ Version: 2.0.0b5
4
4
  Summary: Add your description here
5
5
  Author-email: Ketan Umare <kumare3@users.noreply.github.com>
6
6
  Requires-Python: >=3.10
@@ -12,7 +12,7 @@ Requires-Dist: flyteidl>=1.15.4b0
12
12
  Requires-Dist: cloudpickle>=3.1.1
13
13
  Requires-Dist: fsspec>=2025.3.0
14
14
  Requires-Dist: grpcio>=1.71.0
15
- Requires-Dist: obstore>=0.6.0
15
+ Requires-Dist: obstore>=0.7.3
16
16
  Requires-Dist: protobuf>=6.30.1
17
17
  Requires-Dist: pydantic>=2.10.6
18
18
  Requires-Dist: pyyaml>=6.0.2
@@ -28,7 +28,7 @@ Dynamic: license-file
28
28
 
29
29
  # Flyte 2 SDK 🚀
30
30
 
31
- **The next-generation Python SDK for scalable, distributed workflows**
31
+ **Type-safe, distributed orchestration of agents, ML pipelines, and more — in pure Python with async/await or sync!**
32
32
 
33
33
  [![Version](https://img.shields.io/pypi/v/flyte?label=version&color=blue)](https://pypi.org/project/flyte/)
34
34
  [![Python](https://img.shields.io/pypi/pyversions/flyte?color=brightgreen)](https://pypi.org/project/flyte/)
@@ -1,14 +1,14 @@
1
1
  flyte/__init__.py,sha256=jWSynBJyJ0WuSjE8HID2MT386ZNlRzx7LzCHW1y_XNw,1468
2
2
  flyte/_build.py,sha256=MkgfLAPeL56YeVrGRNZUCZgbwzlEzVP3wLbl5Qru4yk,578
3
3
  flyte/_context.py,sha256=K0-TCt-_pHOoE5Xni87_8uIe2vCBOhfNQEtjGT4Hu4k,5239
4
- flyte/_deploy.py,sha256=HU2ksZUvHj77DrJm7MryN0n26DUJqo4h7-op4fUTBUg,9593
4
+ flyte/_deploy.py,sha256=v4QYa7L9AeFxZh1Ya5Wn8OSPBA3YAX5favQStdD-x-s,10536
5
5
  flyte/_doc.py,sha256=_OPCf3t_git6UT7kSJISFaWO9cfNzJhhoe6JjVdyCJo,706
6
6
  flyte/_docstring.py,sha256=SsG0Ab_YMAwy2ABJlEo3eBKlyC3kwPdnDJ1FIms-ZBQ,1127
7
- flyte/_environment.py,sha256=oKVXLBX0ky2eE_wjBdzvQGI_2LiT2Nbx58ur7GMt50c,3231
7
+ flyte/_environment.py,sha256=6ks0lkvGt4oSqM5EFPFlhWC3eoUghxUvCn0wstcAD2E,3713
8
8
  flyte/_excepthook.py,sha256=nXts84rzEg6-7RtFarbKzOsRZTQR4plnbWVIFMAEprs,1310
9
9
  flyte/_group.py,sha256=7o1j16sZyUmYB50mOiq1ui4TBAKhRpDqLakV8Ya1kw4,803
10
10
  flyte/_hash.py,sha256=Of_Zl_DzzzF2jp4ZsLm-3o-xJFCCJ8_GubmLI1htx78,504
11
- flyte/_image.py,sha256=wAJO-WTEadRmLdW4q7SvInH03QD_virbvVMB4Wjsd90,33452
11
+ flyte/_image.py,sha256=lPkMW1cqFvFeuIG91CxD9Oif3-EymraSu-2XaLIn2Ng,35691
12
12
  flyte/_initialize.py,sha256=xKl_LYMluRt21wWqa6RTKuLo0_DCbSaTfUk27_brtNk,18232
13
13
  flyte/_interface.py,sha256=1B9zIwFDjiVp_3l_mk8EpA4g3Re-6DUBEBi9z9vDvPs,3504
14
14
  flyte/_logging.py,sha256=QrT4Z30C2tsZ-yIojisQODTuq6Y6zSJYuTrLgF58UYc,3664
@@ -17,18 +17,18 @@ flyte/_pod.py,sha256=--72b0c6IkOEbBwZPLmgl-ll-j7ECfG-kh75LzBnNN8,1068
17
17
  flyte/_resources.py,sha256=L2JuvQDlMo1JLJeUmJPRwtWbunhR2xJEhFgQW5yc72c,9690
18
18
  flyte/_retry.py,sha256=rfLv0MvWxzPByKESTglEmjPsytEAKiIvvmzlJxXwsfE,941
19
19
  flyte/_reusable_environment.py,sha256=f8Y1GilUwGcXH4n2Fckrnx0SrZmhk3nCfoe-TqUKivI,3740
20
- flyte/_run.py,sha256=HkTD3rHL34pAwvn1WPN6OXYmk-GWX0txLdRH1OIMvEA,24338
21
- flyte/_secret.py,sha256=ogXmCNfYYIphV6p-2iiWmwr2cNUES5Cq01PPjY6uQNA,3217
22
- flyte/_task.py,sha256=rYR7SVGihfBp7UYrhdmqhHp0ngl2K7Za8IJfhv1K2oc,19402
20
+ flyte/_run.py,sha256=SSD35ICaYaqt7Ep4SNAi7BLESIullo68g0g4x_dfrW4,25654
21
+ flyte/_secret.py,sha256=89VIihdXI03irHb217GMfipt7jzXBafm17YYmyv6gHo,3245
22
+ flyte/_task.py,sha256=FUqGDtDmhOVPdv-UVko4h0oecoAcc3JZKu8S__cwUpY,19805
23
23
  flyte/_task_environment.py,sha256=Zpfr8gjwXg5KuCfIbT4s3l2mtJCFqDxXwv6ZStHWBuc,9840
24
24
  flyte/_task_plugins.py,sha256=9MH3nFPOH_e8_92BT4sFk4oyAnj6GJFvaPYWaraX7yE,1037
25
25
  flyte/_timeout.py,sha256=zx5sFcbYmjJAJbZWSGzzX-BpC9HC7Jfs35T7vVhKwkk,1571
26
26
  flyte/_tools.py,sha256=tWb0sx3t3mm4jbaQVjCTc9y39oR_Ibo3z_KHToP3Lto,966
27
27
  flyte/_trace.py,sha256=SSE1nzUgmVTS2xFNtchEOjEjlRavMOIInasXzY8i9lU,4911
28
- flyte/_version.py,sha256=fn05QckBHXt6TeCLv-zTOz1tLPEdQLSISwMKmzhR-ks,519
29
- flyte/errors.py,sha256=MsVZxq6oeIOXe6AVWpxqA3ZiyxCGM0A6UqnYuvmSUCU,5514
28
+ flyte/_version.py,sha256=KY7k4TTnCC_HdhG4ZUyzH7UsSbByUSTtQDckcSpcmmQ,519
29
+ flyte/errors.py,sha256=DKKw0LVywBNuiWR9WMkODxd_dwWRn-NtyN1TMs6HHd0,5800
30
30
  flyte/extend.py,sha256=GB4ZedGzKa30vYWRVPOdxEeK62xnUVFY4z2tD6H9eEw,376
31
- flyte/models.py,sha256=AJZXL8eRmZ2RHEvjL6VSdpTmgF5S1Ekh_tAKRn0b6mM,15321
31
+ flyte/models.py,sha256=2TgfrkPPgcnnk1P_MO5SEmOYAUbsMKl3gxIDwhW2yEU,15674
32
32
  flyte/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
33
33
  flyte/_bin/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
34
34
  flyte/_bin/runtime.py,sha256=2jTy3ccvrJ__Xrfdo2t0Fxhsojc5o2zIxDHt98RE_eU,6475
@@ -40,7 +40,7 @@ flyte/_code_bundle/__init__.py,sha256=G7DJTQ0UN_ETvdh55pYcWsTrZJKXEcyQl9iQQNQOBX
40
40
  flyte/_code_bundle/_ignore.py,sha256=Tfaoa62CQVTH17kBHD6Xv6xEh1FhcAyvXivl9m-MEE0,3853
41
41
  flyte/_code_bundle/_packaging.py,sha256=5QUuea6kg9s-ebBg7gFAHaxOMchxR5MhTQ8KohWsjPk,6909
42
42
  flyte/_code_bundle/_utils.py,sha256=qlAVmik9rLasfd1oNrCxhL870w5ntk5ZlNGeaKSKaAU,12028
43
- flyte/_code_bundle/bundle.py,sha256=nUAwYTVAE3Z9dfgkBtsqCoKJImjSl4AicG36yweWHLc,8797
43
+ flyte/_code_bundle/bundle.py,sha256=QbodfyX1RW_V8v0lW8kNwJ8lf4JCL3_uVE43_9ePAzo,8842
44
44
  flyte/_internal/__init__.py,sha256=vjXgGzAAjy609YFkAy9_RVPuUlslsHSJBXCLNTVnqOY,136
45
45
  flyte/_internal/controllers/__init__.py,sha256=TVAc4ydsldcIFmN3PW9-IX5UkKeD8oOmuIukIgEae9M,4341
46
46
  flyte/_internal/controllers/_local_controller.py,sha256=__-eEira0k18DsBu1LBXeEjhFGFcp1Uai9K0YEBbwKM,7300
@@ -48,20 +48,20 @@ flyte/_internal/controllers/_trace.py,sha256=ywFg_M2nGrCKYLbh4iVdsVlRtPT1K2S-XZM
48
48
  flyte/_internal/controllers/remote/__init__.py,sha256=9_azH1eHLqY6VULpDugXi7Kf1kK1ODqEnsQ_3wM6IqU,1919
49
49
  flyte/_internal/controllers/remote/_action.py,sha256=ENV1thRXllSpi2s4idL-vCVcmXQNS17hmP2lMDKzNdo,7397
50
50
  flyte/_internal/controllers/remote/_client.py,sha256=HPbzbfaWZVv5wpOvKNtFXR6COiZDwd1cUJQqi60A7oU,1421
51
- flyte/_internal/controllers/remote/_controller.py,sha256=80e7Sbvg0SKFvF5wln_8RlSkwaYmT1QUFYUao9BwvUA,24508
52
- flyte/_internal/controllers/remote/_core.py,sha256=49l1X3YFyX-QYeSlvkOWdyEU2xc1Fr7I8qHvC3nQ6MA,19069
51
+ flyte/_internal/controllers/remote/_controller.py,sha256=tnHHWYd2nc16_1Slm8lShrbQdrfHjyNiSiByFk3A1mg,24988
52
+ flyte/_internal/controllers/remote/_core.py,sha256=PhqI_qwKieH0abOzXYzUZt3v166DxX9HkZPqLWXqH6w,18975
53
53
  flyte/_internal/controllers/remote/_informer.py,sha256=w4p29_dzS_ns762eNBljvnbJLgCm36d1Ogo2ZkgV1yg,14418
54
54
  flyte/_internal/controllers/remote/_service_protocol.py,sha256=B9qbIg6DiGeac-iSccLmX_AL2xUgX4ezNUOiAbSy4V0,1357
55
55
  flyte/_internal/imagebuild/__init__.py,sha256=dwXdJ1jMhw9RF8itF7jkPLanvX1yCviSns7hE5eoIts,102
56
- flyte/_internal/imagebuild/docker_builder.py,sha256=L2J1cAJCZ67SAcO_76J1mP44aCXAePgQe8OsJKHxGgE,16853
56
+ flyte/_internal/imagebuild/docker_builder.py,sha256=tTA5Wg479ThCB2qwttrZcAqUWBjzzOVUwVg1wNKY4u4,20508
57
57
  flyte/_internal/imagebuild/image_builder.py,sha256=dXBXl62qcPabus6dR3eP8P9mBGNhpZHZ2Xm12AymKkk,11150
58
- flyte/_internal/imagebuild/remote_builder.py,sha256=vxPhosMbFXQGQY0Um6il4C8I4vZEWsDyBK3uJQN3icg,10602
58
+ flyte/_internal/imagebuild/remote_builder.py,sha256=oP8JgnkRgkEMvIdcakxvXjOZiKEYyt5h6CvgEbakSAM,11016
59
59
  flyte/_internal/resolvers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
60
60
  flyte/_internal/resolvers/_task_module.py,sha256=jwy1QYygUK7xmpCZLt1SPTfJCkfox3Ck3mTlTsm66UI,1973
61
61
  flyte/_internal/resolvers/common.py,sha256=ADQLRoyGsJ4vuUkitffMGrMKKjy0vpk6X53g4FuKDLc,993
62
62
  flyte/_internal/resolvers/default.py,sha256=nX4DHUYod1nRvEsl_vSgutQVEdExu2xL8pRkyi4VWbY,981
63
63
  flyte/_internal/runtime/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
64
- flyte/_internal/runtime/convert.py,sha256=yK5Fy25-CVSqTtWF8BuBel2jwlVoh8R5F4UhIMYpgmg,16086
64
+ flyte/_internal/runtime/convert.py,sha256=dX3PfIhuYvuCpRAFGRo-uTRy8Ys3Rgs9cowO6XUjHMo,15951
65
65
  flyte/_internal/runtime/entrypoints.py,sha256=9Ng-aQ45M-_MMWeOe9uGmgx69qO9b0xaMRiu542ZI9g,6581
66
66
  flyte/_internal/runtime/io.py,sha256=ysL7hMpfVumvsEYWOM-_VPa8MXn5_X_CZorKbOThyv4,5935
67
67
  flyte/_internal/runtime/resources_serde.py,sha256=TObMVsSjVcQhcY8-nY81pbvrz7TP-adDD5xV-LqAaxM,4813
@@ -145,26 +145,27 @@ flyte/_protos/workflow/task_definition_pb2_grpc.py,sha256=1oboBPFxaTEXt9Aw7EAj8g
145
145
  flyte/_protos/workflow/task_service_pb2.py,sha256=7kCVgR8Is9MzlbdoGd1kVCwz1ot39r2qyY3oZzE_Xuo,5781
146
146
  flyte/_protos/workflow/task_service_pb2.pyi,sha256=W0OZWui3TbQANi0GL7lCVmbpJKRwJ0X-8vjXj1qNP5k,3100
147
147
  flyte/_protos/workflow/task_service_pb2_grpc.py,sha256=whmfmOTiNhz6_CBsXm8aXUCwtA5bncOikqKYz-bKdok,5992
148
- flyte/_utils/__init__.py,sha256=RByuYa2hSqsKrpLkFfjKspKxH3K7DzfVzTVnZsxkO0A,757
148
+ flyte/_utils/__init__.py,sha256=Lwn9_fLxNF4YR0oCUIKCwM_aXYT5UFjUFInofTHnQTs,831
149
149
  flyte/_utils/asyn.py,sha256=KeJKarXNIyD16g6oPM0T9cH7JDmh1KY7JLbwo7i0IlQ,3673
150
150
  flyte/_utils/async_cache.py,sha256=JtZJmWO62OowJ0QFNl6wryWqh-kuDi76aAASMie87QY,4596
151
151
  flyte/_utils/coro_management.py,sha256=wIsul4XY-tQbH9bjqZ3A0jKluE19xSzLlkMeYu_dk_A,934
152
152
  flyte/_utils/file_handling.py,sha256=iU4TxW--fCho_Eg5xTMODn96P03SxzF-V-5f-7bZAZY,2233
153
153
  flyte/_utils/helpers.py,sha256=9N70yzfLF4lLGEEdOv5OcweEpYtrCvZqqhtzkjZUXNY,4779
154
154
  flyte/_utils/lazy_module.py,sha256=fvXPjvZLzCfcI8Vzs4pKedUDdY0U_RQ1ZVrp9b8qBQY,1994
155
+ flyte/_utils/module_loader.py,sha256=XDmK2qndI2Lx-7JUvPi0LW33_zr5HgCgt-FsyXJzccI,3124
155
156
  flyte/_utils/org_discovery.py,sha256=C7aJa0LfnWBkDtSU9M7bE60zp27qEhJC58piqOErZ94,2088
156
157
  flyte/_utils/uv_script_parser.py,sha256=PxqD8lSMi6xv0uDd1s8LKB2IPZr4ttZJCUweqlyMTKk,1483
157
158
  flyte/cli/__init__.py,sha256=aeCcumeP9xD_5aCmaRYUPCe2QRJSGCaxcUbTZ3co768,341
158
159
  flyte/cli/_abort.py,sha256=Ty-63Gtd2PUn6lCuL5AaasfBoPu7TDSU5EQKVbkF4qw,661
159
160
  flyte/cli/_build.py,sha256=SBgybTVWOZ22VBHFL8CVFB_oo34lF9wvlwNirYFFyk0,3543
160
- flyte/cli/_common.py,sha256=k5_DwLNm2Nqps99ry3Bkbnw9tVxeQd3Ya7fSpReaUn4,12315
161
+ flyte/cli/_common.py,sha256=SLY3M7ganzLCf2MaybJFRkk677IoZrkZKjIR5Qoc0cE,12542
161
162
  flyte/cli/_create.py,sha256=Rv_Ox_OA9TqdSI6zaTzLp9vwiqOanOk-Oasnbgx1Q3M,5081
162
163
  flyte/cli/_delete.py,sha256=VTmXv09PBjkdtyl23mbSjIQQlN7Y1AI_bO0GkHP-f9E,546
163
- flyte/cli/_deploy.py,sha256=Zxm7vn1zrqmll73CJTiVGYJI95P-XBI1AlhOlmbmkD0,4635
164
+ flyte/cli/_deploy.py,sha256=h-laMIbqNskxPzqtBNxIhgamjt2MxGoNongi9_nTQbo,8939
164
165
  flyte/cli/_gen.py,sha256=vlE5l8UR1zz4RSdaRyUfYFvGR0TLxGcTYcP4dhA3Pvg,5458
165
166
  flyte/cli/_get.py,sha256=fvoJaBmZuD4sDs33dMo94dvBJVk3MaWPJe24e3cG0Ps,10200
166
167
  flyte/cli/_params.py,sha256=8Gj8UYGHwu-SUXGWCTRX5QsVf19NiajhaUMMae6FF9o,19466
167
- flyte/cli/_run.py,sha256=fyxGt5ZbW84EcjPVJq5ADK4254kzYHUa2ggp7MRKarI,7776
168
+ flyte/cli/_run.py,sha256=x1BRMK4M0kUboZVOKNuufi8B0cFjsOE7b36zbHT40Cc,7764
168
169
  flyte/cli/main.py,sha256=9sLH-xaGdF9HamUQrTxmGTGNScdCtBfNmyYyPHiW3vU,5180
169
170
  flyte/config/__init__.py,sha256=MiwEYK5Iv7MRR22z61nzbsbvZ9Q6MdmAU_g9If1Pmb8,144
170
171
  flyte/config/_config.py,sha256=WElU--Kw4MM9zx1v-rLD8qYu2T5Zk0-1QbTpkEc27bc,10779
@@ -210,7 +211,7 @@ flyte/remote/_client/auth/_grpc_utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCe
210
211
  flyte/remote/_client/auth/_grpc_utils/auth_interceptor.py,sha256=JCjdoWV41sjdvfJcUmrJdIfQ0meuGFwv2ArU7FQGDDA,12403
211
212
  flyte/remote/_client/auth/_grpc_utils/default_metadata_interceptor.py,sha256=IoMGWM42_VyzxqIVYe458o0uKsqhH-mcERUs9CY1L5U,6194
212
213
  flyte/report/__init__.py,sha256=yLbeUxYaVaDlgBod3Oh34zGBSotl1UlXq1vUkb9q7cs,152
213
- flyte/report/_report.py,sha256=jZXl-dqkZHiVAPBuUCmE4e1vE9FpHLkermOeZehi8Tc,5175
214
+ flyte/report/_report.py,sha256=eIk0q-aZi5Yfm63cHJb72qndlDV4kWvl2jxZ2LItGGw,5324
214
215
  flyte/report/_template.html,sha256=YehmLJG3QMYQ10UT1YZBu2ncVmAJ4iyqVp5hF3sXRAs,3458
215
216
  flyte/storage/__init__.py,sha256=0tcI9qtIVf0Fxczkno03vpwBDVlKMDSNN38uxMTH1bE,569
216
217
  flyte/storage/_config.py,sha256=xVibWJaioOnkeTb_M30azgiUe1jvmQaOWRZEkpdoTao,8680
@@ -226,10 +227,10 @@ flyte/types/_renderer.py,sha256=ygcCo5l60lHufyQISFddZfWwLlQ8kJAKxUT_XnR_6dY,4818
226
227
  flyte/types/_string_literals.py,sha256=NlG1xV8RSA-sZ-n-IFQCAsdB6jXJOAKkHWtnopxVVDk,4231
227
228
  flyte/types/_type_engine.py,sha256=Tas_OXYddOi0nDuORjqan2SkJ96wKD8937I2l1bo8vk,97916
228
229
  flyte/types/_utils.py,sha256=pbts9E1_2LTdLygAY0UYTLYJ8AsN3BZyviSXvrtcutc,2626
229
- flyte-2.0.0b3.data/scripts/runtime.py,sha256=2jTy3ccvrJ__Xrfdo2t0Fxhsojc5o2zIxDHt98RE_eU,6475
230
- flyte-2.0.0b3.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
231
- flyte-2.0.0b3.dist-info/METADATA,sha256=DxTr4d_6Ohm1VRSqhqILMy_McBGsKB4ykk274bne-fM,9955
232
- flyte-2.0.0b3.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
233
- flyte-2.0.0b3.dist-info/entry_points.txt,sha256=MIq2z5dBurdCJfpXfMKzgBv7sJOakKRYxr8G0cMiTrg,75
234
- flyte-2.0.0b3.dist-info/top_level.txt,sha256=7dkyFbikvA12LEZEqawx8oDG1CMod6hTliPj7iWzgYo,6
235
- flyte-2.0.0b3.dist-info/RECORD,,
230
+ flyte-2.0.0b5.data/scripts/runtime.py,sha256=2jTy3ccvrJ__Xrfdo2t0Fxhsojc5o2zIxDHt98RE_eU,6475
231
+ flyte-2.0.0b5.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
232
+ flyte-2.0.0b5.dist-info/METADATA,sha256=qrlVB1zQRgqKWHit2lwbo3gO0sAEGSXdeoUMJKHIc9E,10004
233
+ flyte-2.0.0b5.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
234
+ flyte-2.0.0b5.dist-info/entry_points.txt,sha256=MIq2z5dBurdCJfpXfMKzgBv7sJOakKRYxr8G0cMiTrg,75
235
+ flyte-2.0.0b5.dist-info/top_level.txt,sha256=7dkyFbikvA12LEZEqawx8oDG1CMod6hTliPj7iWzgYo,6
236
+ flyte-2.0.0b5.dist-info/RECORD,,