flyte 2.0.0b23__py3-none-any.whl → 2.0.0b24__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/__init__.py CHANGED
@@ -14,7 +14,7 @@ from ._environment import Environment
14
14
  from ._excepthook import custom_excepthook
15
15
  from ._group import group
16
16
  from ._image import Image
17
- from ._initialize import init, init_from_config
17
+ from ._initialize import current_domain, init, init_from_config
18
18
  from ._map import map
19
19
  from ._pod import PodTemplate
20
20
  from ._resources import GPU, TPU, Device, Resources
@@ -85,6 +85,7 @@ __all__ = [
85
85
  "build",
86
86
  "build_images",
87
87
  "ctx",
88
+ "current_domain",
88
89
  "deploy",
89
90
  "group",
90
91
  "init",
@@ -169,6 +169,8 @@ async def download_bundle(bundle: CodeBundle) -> pathlib.Path:
169
169
 
170
170
  :return: The path to the downloaded code bundle.
171
171
  """
172
+ import sys
173
+
172
174
  import flyte.storage as storage
173
175
 
174
176
  dest = pathlib.Path(bundle.destination)
@@ -185,13 +187,18 @@ async def download_bundle(bundle: CodeBundle) -> pathlib.Path:
185
187
  # NOTE the os.path.join(destination, ''). This is to ensure that the given path is in fact a directory and all
186
188
  # downloaded data should be copied into this directory. We do this to account for a difference in behavior in
187
189
  # fsspec, which requires a trailing slash in case of pre-existing directory.
188
- process = await asyncio.create_subprocess_exec(
189
- "tar",
190
- "--overwrite",
190
+ args = [
191
191
  "-xvf",
192
192
  str(downloaded_bundle),
193
193
  "-C",
194
194
  str(dest),
195
+ ]
196
+ if sys.platform != "darwin":
197
+ args.insert(0, "--overwrite")
198
+
199
+ process = await asyncio.create_subprocess_exec(
200
+ "tar",
201
+ *args,
195
202
  stdout=asyncio.subprocess.PIPE,
196
203
  stderr=asyncio.subprocess.PIPE,
197
204
  )
flyte/_context.py CHANGED
@@ -135,7 +135,10 @@ root_context_var = contextvars.ContextVar("root", default=Context(data=ContextDa
135
135
 
136
136
 
137
137
  def ctx() -> Optional[TaskContext]:
138
- """Retrieve the current task context from the context variable."""
138
+ """
139
+ Returns flyte.models.TaskContext if within a task context, else None
140
+ Note: Only use this in task code and not module level.
141
+ """
139
142
  return internal_ctx().data.task_context
140
143
 
141
144
 
flyte/_image.py CHANGED
@@ -170,11 +170,11 @@ class UVProject(PipOption, Layer):
170
170
 
171
171
  def validate(self):
172
172
  if not self.pyproject.exists():
173
- raise FileNotFoundError(f"pyproject.toml file {self.pyproject} does not exist")
173
+ raise FileNotFoundError(f"pyproject.toml file {self.pyproject.resolve()} does not exist")
174
174
  if not self.pyproject.is_file():
175
- raise ValueError(f"Pyproject file {self.pyproject} is not a file")
175
+ raise ValueError(f"Pyproject file {self.pyproject.resolve()} is not a file")
176
176
  if not self.uvlock.exists():
177
- raise ValueError(f"UVLock file {self.uvlock} does not exist")
177
+ raise ValueError(f"UVLock file {self.uvlock.resolve()} does not exist")
178
178
  super().validate()
179
179
 
180
180
  def update_hash(self, hasher: hashlib._Hash):
flyte/_initialize.py CHANGED
@@ -519,3 +519,31 @@ def replace_client(client):
519
519
 
520
520
  with _init_lock:
521
521
  _init_config = _init_config.replace(client=client)
522
+
523
+
524
+ def current_domain() -> str:
525
+ """
526
+ Returns the current domain from Runtime environment (on the cluster) or from the initialized configuration.
527
+ This is safe to be used during `deploy`, `run` and within `task` code.
528
+
529
+ NOTE: This will not work if you deploy a task to a domain and then run it in another domain.
530
+
531
+ Raises InitializationError if the configuration is not initialized or domain is not set.
532
+ :return: The current domain
533
+ """
534
+ from ._context import ctx
535
+
536
+ tctx = ctx()
537
+ if tctx is not None:
538
+ domain = tctx.action.domain
539
+ if domain is not None:
540
+ return domain
541
+
542
+ cfg = _get_init_config()
543
+ if cfg is None or cfg.domain is None:
544
+ raise InitializationError(
545
+ "DomainNotInitializedError",
546
+ "user",
547
+ "Domain has not been initialized. Call flyte.init() with a valid domain before using this function.",
548
+ )
549
+ return cfg.domain
@@ -208,17 +208,13 @@ def _get_urun_container(
208
208
  else None
209
209
  )
210
210
  resources = get_proto_resources(task_template.resources)
211
- # pr: under what conditions should this return None?
211
+
212
212
  if isinstance(task_template.image, str):
213
213
  raise flyte.errors.RuntimeSystemError("BadConfig", "Image is not a valid image")
214
214
 
215
- env_name = ""
216
- if task_template.parent_env is not None:
217
- task_env = task_template.parent_env()
218
- if task_env is not None:
219
- env_name = task_env.name
220
- else:
221
- raise flyte.errors.RuntimeSystemError("BadConfig", "Task template has no parent environment")
215
+ env_name = task_template.parent_env_name
216
+ if env_name is None:
217
+ raise flyte.errors.RuntimeSystemError("BadConfig", f"Task {task_template.name} has no parent environment name")
222
218
 
223
219
  if not serialize_context.image_cache:
224
220
  # This computes the image uri, computing hashes as necessary so can fail if done remotely.
flyte/_task.py CHANGED
@@ -109,6 +109,7 @@ class TaskTemplate(Generic[P, R]):
109
109
  queue: Optional[str] = None
110
110
 
111
111
  parent_env: Optional[weakref.ReferenceType[TaskEnvironment]] = None
112
+ parent_env_name: Optional[str] = None
112
113
  ref: bool = field(default=False, init=False, repr=False, compare=False)
113
114
  max_inline_io_bytes: int = MAX_INLINE_IO_BYTES
114
115
  triggers: Tuple[Trigger, ...] = field(default_factory=tuple)
@@ -235,6 +235,7 @@ class TaskEnvironment(Environment):
235
235
  secrets=self.secrets,
236
236
  pod_template=pod_template or self.pod_template,
237
237
  parent_env=weakref.ref(self),
238
+ parent_env_name=self.name,
238
239
  interface=NativeInterface.from_callable(func),
239
240
  report=report,
240
241
  short_name=short,
@@ -286,4 +287,5 @@ class TaskEnvironment(Environment):
286
287
  for t in tasks:
287
288
  env._tasks[t.name] = t
288
289
  t.parent_env = weakref.ref(env)
290
+ t.parent_env_name = name
289
291
  return env
flyte/_version.py CHANGED
@@ -28,7 +28,7 @@ version_tuple: VERSION_TUPLE
28
28
  commit_id: COMMIT_ID
29
29
  __commit_id__: COMMIT_ID
30
30
 
31
- __version__ = version = '2.0.0b23'
32
- __version_tuple__ = version_tuple = (2, 0, 0, 'b23')
31
+ __version__ = version = '2.0.0b24'
32
+ __version_tuple__ = version_tuple = (2, 0, 0, 'b24')
33
33
 
34
- __commit_id__ = commit_id = 'g52dc01de2'
34
+ __commit_id__ = commit_id = 'gb6f235fcb'
flyte/cli/_common.py CHANGED
@@ -7,6 +7,7 @@ import os
7
7
  import sys
8
8
  from abc import abstractmethod
9
9
  from dataclasses import dataclass, replace
10
+ from functools import lru_cache
10
11
  from pathlib import Path
11
12
  from types import MappingProxyType, ModuleType
12
13
  from typing import Any, Dict, Iterable, List, Literal, Optional
@@ -20,6 +21,7 @@ from rich.pretty import pretty_repr
20
21
  from rich.table import Table
21
22
  from rich.traceback import Traceback
22
23
 
24
+ import flyte.config
23
25
  import flyte.errors
24
26
  from flyte.config import Config
25
27
 
@@ -408,3 +410,15 @@ def get_console() -> Console:
408
410
  Get a console that is configured to use colors if the terminal supports it.
409
411
  """
410
412
  return Console(color_system="auto", force_terminal=True, width=120)
413
+
414
+
415
+ @lru_cache()
416
+ def initialize_config(ctx: click.Context, project: str, domain: str, root_dir: str | None = None):
417
+ obj: CLIConfig | None = ctx.obj
418
+ if obj is None:
419
+ import flyte.config
420
+
421
+ obj = CLIConfig(flyte.config.auto(), ctx)
422
+
423
+ obj.init(project, domain, root_dir)
424
+ return obj
flyte/cli/_deploy.py CHANGED
@@ -189,6 +189,14 @@ class EnvPerFileGroup(common.ObjectsPerFileGroup):
189
189
  def _filter_objects(self, module: ModuleType) -> Dict[str, Any]:
190
190
  return {k: v for k, v in module.__dict__.items() if isinstance(v, flyte.Environment)}
191
191
 
192
+ def list_commands(self, ctx):
193
+ common.initialize_config(ctx, self.deploy_args.project, self.deploy_args.domain, self.deploy_args.root_dir)
194
+ return super().list_commands(ctx)
195
+
196
+ def get_command(self, ctx, obj_name):
197
+ common.initialize_config(ctx, self.deploy_args.project, self.deploy_args.domain, self.deploy_args.root_dir)
198
+ return super().get_command(ctx, obj_name)
199
+
192
200
  def _get_command_for_obj(self, ctx: click.Context, obj_name: str, obj: Any) -> click.Command:
193
201
  obj = cast(flyte.Environment, obj)
194
202
  return DeployEnvCommand(
flyte/cli/_run.py CHANGED
@@ -15,24 +15,12 @@ from .._code_bundle._utils import CopyFiles
15
15
  from .._task import TaskTemplate
16
16
  from ..remote import Run
17
17
  from . import _common as common
18
- from ._common import CLIConfig
18
+ from ._common import CLIConfig, initialize_config
19
19
  from ._params import to_click_option
20
20
 
21
21
  RUN_REMOTE_CMD = "deployed-task"
22
22
 
23
23
 
24
- @lru_cache()
25
- def _initialize_config(ctx: click.Context, project: str, domain: str, root_dir: str | None = None):
26
- obj: CLIConfig | None = ctx.obj
27
- if obj is None:
28
- import flyte.config
29
-
30
- obj = CLIConfig(flyte.config.auto(), ctx)
31
-
32
- obj.init(project, domain, root_dir)
33
- return obj
34
-
35
-
36
24
  @lru_cache()
37
25
  def _list_tasks(
38
26
  ctx: click.Context,
@@ -43,7 +31,7 @@ def _list_tasks(
43
31
  ) -> list[str]:
44
32
  import flyte.remote
45
33
 
46
- _initialize_config(ctx, project, domain)
34
+ common.initialize_config(ctx, project, domain)
47
35
  return [task.name for task in flyte.remote.Task.listall(by_task_name=by_task_name, by_task_env=by_task_env)]
48
36
 
49
37
 
@@ -130,7 +118,7 @@ class RunTaskCommand(click.RichCommand):
130
118
  super().__init__(obj_name, *args, **kwargs)
131
119
 
132
120
  def invoke(self, ctx: click.Context):
133
- obj: CLIConfig = _initialize_config(ctx, self.run_args.project, self.run_args.domain, self.run_args.root_dir)
121
+ obj: CLIConfig = initialize_config(ctx, self.run_args.project, self.run_args.domain, self.run_args.root_dir)
134
122
 
135
123
  async def _run():
136
124
  import flyte
@@ -205,6 +193,14 @@ class TaskPerFileGroup(common.ObjectsPerFileGroup):
205
193
  def _filter_objects(self, module: ModuleType) -> Dict[str, Any]:
206
194
  return {k: v for k, v in module.__dict__.items() if isinstance(v, TaskTemplate)}
207
195
 
196
+ def list_commands(self, ctx):
197
+ common.initialize_config(ctx, self.run_args.project, self.run_args.domain, self.run_args.root_dir)
198
+ return super().list_commands(ctx)
199
+
200
+ def get_command(self, ctx, obj_name):
201
+ common.initialize_config(ctx, self.run_args.project, self.run_args.domain, self.run_args.root_dir)
202
+ return super().get_command(ctx, obj_name)
203
+
208
204
  def _get_command_for_obj(self, ctx: click.Context, obj_name: str, obj: Any) -> click.Command:
209
205
  obj = cast(TaskTemplate, obj)
210
206
  return RunTaskCommand(
@@ -224,10 +220,11 @@ class RunReferenceTaskCommand(click.RichCommand):
224
220
  super().__init__(*args, **kwargs)
225
221
 
226
222
  def invoke(self, ctx: click.Context):
227
- obj: CLIConfig = _initialize_config(ctx, self.run_args.project, self.run_args.domain)
223
+ obj: CLIConfig = common.initialize_config(
224
+ ctx, self.run_args.project, self.run_args.domain, self.run_args.root_dir
225
+ )
228
226
 
229
227
  async def _run():
230
- import flyte
231
228
  import flyte.remote
232
229
 
233
230
  task = flyte.remote.Task.get(self.task_name, version=self.version, auto_version="latest")
@@ -262,7 +259,7 @@ class RunReferenceTaskCommand(click.RichCommand):
262
259
  import flyte.remote
263
260
  from flyte._internal.runtime.types_serde import transform_native_to_typed_interface
264
261
 
265
- _initialize_config(ctx, self.run_args.project, self.run_args.domain)
262
+ common.initialize_config(ctx, self.run_args.project, self.run_args.domain)
266
263
 
267
264
  task = flyte.remote.Task.get(self.task_name, auto_version="latest")
268
265
  task_details = task.fetch()
@@ -408,7 +405,6 @@ class TaskFiles(common.FileGroup):
408
405
 
409
406
  def get_command(self, ctx, cmd_name):
410
407
  run_args = RunArguments.from_dict(ctx.params)
411
-
412
408
  if cmd_name == RUN_REMOTE_CMD:
413
409
  return ReferenceTaskGroup(
414
410
  name=cmd_name,
flyte/extend.py CHANGED
@@ -1,4 +1,6 @@
1
1
  from ._initialize import is_initialized
2
+ from ._internal.runtime.entrypoints import download_code_bundle
3
+ from ._internal.runtime.resources_serde import get_proto_resources
2
4
  from ._resources import PRIMARY_CONTAINER_DEFAULT_NAME, pod_spec_from_resources
3
5
  from ._task import AsyncFunctionTaskTemplate
4
6
  from ._task_plugins import TaskPluginRegistry
@@ -7,6 +9,8 @@ __all__ = [
7
9
  "PRIMARY_CONTAINER_DEFAULT_NAME",
8
10
  "AsyncFunctionTaskTemplate",
9
11
  "TaskPluginRegistry",
12
+ "download_code_bundle",
13
+ "get_proto_resources",
10
14
  "is_initialized",
11
15
  "pod_spec_from_resources",
12
16
  ]
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: flyte
3
- Version: 2.0.0b23
3
+ Version: 2.0.0b24
4
4
  Summary: Add your description here
5
5
  Author-email: Ketan Umare <kumare3@users.noreply.github.com>
6
6
  Requires-Python: >=3.10
@@ -1,6 +1,6 @@
1
- flyte/__init__.py,sha256=xNzVaGtjTOBnbTStzPrJ2h7uDd-3QTWGnv1rCh1QnDE,2281
1
+ flyte/__init__.py,sha256=AzaHakT3BKh2l90oOYoicPOiWKIh1Y839FBoc4vAhVE,2319
2
2
  flyte/_build.py,sha256=MkgfLAPeL56YeVrGRNZUCZgbwzlEzVP3wLbl5Qru4yk,578
3
- flyte/_context.py,sha256=NGl-tDoTOoIljsUzD1IPTESOdaG8vKeoAzs5271XuPM,5244
3
+ flyte/_context.py,sha256=v5JXeI3sEiIICN0eo7rtnMnBdO5GEAoKM10yeL49eJw,5321
4
4
  flyte/_deploy.py,sha256=elOJ5uHIlCRo477e0JCo-qu8wf-crau1_9WKg4KNB7M,14922
5
5
  flyte/_doc.py,sha256=_OPCf3t_git6UT7kSJISFaWO9cfNzJhhoe6JjVdyCJo,706
6
6
  flyte/_docstring.py,sha256=SsG0Ab_YMAwy2ABJlEo3eBKlyC3kwPdnDJ1FIms-ZBQ,1127
@@ -8,8 +8,8 @@ flyte/_environment.py,sha256=d4UIACWod0E_tQ72zs0bOSJHC8s6EpfGm7g6n3XF7AY,4905
8
8
  flyte/_excepthook.py,sha256=pKwEtG0bqsQxu3suT-zBW5C9igIWD0YY6pKfHIJYIpE,1291
9
9
  flyte/_group.py,sha256=7o1j16sZyUmYB50mOiq1ui4TBAKhRpDqLakV8Ya1kw4,803
10
10
  flyte/_hash.py,sha256=KMKjoI7SaxXildb-xv6n5Vb32B0csvBiYc06iUe-BrI,137
11
- flyte/_image.py,sha256=2pVyMdOlcficWDssRJbyn70N74OQKUk-kWQkSBbAoZ4,39098
12
- flyte/_initialize.py,sha256=Wn8pJnihwMZ2727MBSFEW6rMDEkGvY-tfIWPfZh8z50,19373
11
+ flyte/_image.py,sha256=N3SNsNIqcnKxgl2DzZWh6fCMIGH5o7XdGFmgT2wQ-jY,39128
12
+ flyte/_initialize.py,sha256=htfsKtKqH3iPA6WcIktrHudmbLXJ-lEJHMl25ibHRSQ,20311
13
13
  flyte/_interface.py,sha256=krUJOv43dOsSUNGlt30ajfFUl8_HPhubPg6dRlGSa4k,4795
14
14
  flyte/_logging.py,sha256=PIvpYiFa23XjDbpXI8oxwqxve02ZfXZy6zCkY0flqs0,6284
15
15
  flyte/_map.py,sha256=8u4jZsM26V-M-dhVbSnyqSrkzJnGgisN3kwwSNQZaa4,10697
@@ -19,16 +19,16 @@ flyte/_retry.py,sha256=rfLv0MvWxzPByKESTglEmjPsytEAKiIvvmzlJxXwsfE,941
19
19
  flyte/_reusable_environment.py,sha256=qzmLJlHFiek8_k3EEqxew3837Pe2xjmz3mjGk_xqPEo,4857
20
20
  flyte/_run.py,sha256=9eCZKww7g498p_yRmcWlSwHQUUlXG7AHPMRKgolcDfM,27286
21
21
  flyte/_secret.py,sha256=wug5NbIYEkXO6FJkqnPRnPoc2nKDerQiemWtRGRi288,3576
22
- flyte/_task.py,sha256=4lVPc3u74qxcn-VuJAqv5r4BU7S3xg2nkeQF-E9fmsU,22122
23
- flyte/_task_environment.py,sha256=N3TKiPIcE1ljWvZmcPiBKv3V2PzgkbZTDJqShD-a4M0,12778
22
+ flyte/_task.py,sha256=uEJs_GiV_sJFDmAzJf-EW08bAfdYZAMC-xXx9fdZx2s,22164
23
+ flyte/_task_environment.py,sha256=LnSibzE2IW6R2mq5yttaOm1T3F2GEZouemWpJG6M1Sw,12858
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=lB3OiJSAhxzSMCYjLUF6nZjlFsmNpaRXtr3_Fefcxbg,747
27
27
  flyte/_trace.py,sha256=-BIprs2MbupWl3vsC_Pn33SV3fSVku1rUIsnwfmrIy0,5204
28
28
  flyte/_trigger.py,sha256=RprrBjpv1Zcim2WBrudZlvU_sh8EXaleT2edAZGbdkY,15110
29
- flyte/_version.py,sha256=knVoWctZwqZP3ZMZ9UDoEmXhrkuIuFieWsKTn3fhjuI,722
29
+ flyte/_version.py,sha256=GpsBaFPwcIm-26pEENFMPCkQopfznZpWmymMgQdy7iU,722
30
30
  flyte/errors.py,sha256=YiEsqCjKSON9JU2h8XOY30CZLJflRcEAI860muqhq_8,6964
31
- flyte/extend.py,sha256=GB4ZedGzKa30vYWRVPOdxEeK62xnUVFY4z2tD6H9eEw,376
31
+ flyte/extend.py,sha256=fP6VD_OvBZims0LG3ODxzfugUQp6L04ATX3kZk27PMg,562
32
32
  flyte/models.py,sha256=5Ac61jMLqn2Xga0tII--iLWDUD1QDNZwMmtyDp7SHoE,17508
33
33
  flyte/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
34
34
  flyte/_bin/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
@@ -43,7 +43,7 @@ flyte/_code_bundle/__init__.py,sha256=G7DJTQ0UN_ETvdh55pYcWsTrZJKXEcyQl9iQQNQOBX
43
43
  flyte/_code_bundle/_ignore.py,sha256=INTPvv8ironCBIl_sJ_VaXnMd7gJcx0hL-OvrZNXdRo,4127
44
44
  flyte/_code_bundle/_packaging.py,sha256=H-_boKm4Wlri2D1zR-VzjvDxM-_R-_hKUBWVPUWYFKU,7094
45
45
  flyte/_code_bundle/_utils.py,sha256=UXyYiW5fPGgSDi1KnVX1Ow_03oKnROhLS21GiYRjlpE,12203
46
- flyte/_code_bundle/bundle.py,sha256=x1YILfhFLF-cE0OmfFJTuM9zxt6dTU8G8o42C51l_yk,8848
46
+ flyte/_code_bundle/bundle.py,sha256=FvXzwPeVoOBRB63WWrFnGLoRbxyJ0BCdWpUos4WP5cE,8963
47
47
  flyte/_debug/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
48
48
  flyte/_debug/constants.py,sha256=tI4410tMsCGdgsrCCdk28RAWu6lyTQs7yRvzrRoR1HY,1516
49
49
  flyte/_debug/utils.py,sha256=Nc6n1Y_OdLMa4VtvigP6U738D4Fpbuog94g37tPwu6k,596
@@ -75,7 +75,7 @@ flyte/_internal/runtime/io.py,sha256=XYR35jn3-IhgpOlh503QEtPGmUqrju1t_ITziAvTMCM
75
75
  flyte/_internal/runtime/resources_serde.py,sha256=TObMVsSjVcQhcY8-nY81pbvrz7TP-adDD5xV-LqAaxM,4813
76
76
  flyte/_internal/runtime/reuse.py,sha256=uGjomQz4X4JvPv6M8eDW94g4YfHJugNYufwK6eVFlwI,4901
77
77
  flyte/_internal/runtime/rusty.py,sha256=k-wRX_Rh7iQPeGi5ma2I4Up2vA2Ai4Qd53697oj5ztA,7630
78
- flyte/_internal/runtime/task_serde.py,sha256=XL2hdiyKvpIGZYRfaWt5030JURFYq7krLK01WQC0L7c,14008
78
+ flyte/_internal/runtime/task_serde.py,sha256=LJGZMEn5TE7PqtueVHFWpk72NaBdI89a8eMAmyv9WZU,13851
79
79
  flyte/_internal/runtime/taskrunner.py,sha256=UcInyHzFIZVCGpLiALN-Wk_b6K1QmOkbD2RkpG-11dg,7731
80
80
  flyte/_internal/runtime/trigger_serde.py,sha256=DU-WyDa7obd1zhwu_lK8JP8rZsL56KoWTUq6nLUHRoc,5107
81
81
  flyte/_internal/runtime/types_serde.py,sha256=EjRh9Yypx9-20XXQprtNgp766LeQVRoYWtY6XPGMZQg,1813
@@ -174,15 +174,15 @@ flyte/_utils/uv_script_parser.py,sha256=PxqD8lSMi6xv0uDd1s8LKB2IPZr4ttZJCUweqlyM
174
174
  flyte/cli/__init__.py,sha256=aeCcumeP9xD_5aCmaRYUPCe2QRJSGCaxcUbTZ3co768,341
175
175
  flyte/cli/_abort.py,sha256=drOg1EyQq0jZP9IpUS4hnqqhKHpml0yGiLH5t3Dg6q4,721
176
176
  flyte/cli/_build.py,sha256=R0cgC-C55pdHI73sGxEOjzptcL4gmUmRf7ZmCPr3hdk,3503
177
- flyte/cli/_common.py,sha256=QzTR1sS9qwKFMX8rVGNyR-hLArL--msTwxahlSj_bnA,14003
177
+ flyte/cli/_common.py,sha256=6X-UAS27IW-Amy_edvDd5HPNu50xXsM__i7JwNXL8Qw,14360
178
178
  flyte/cli/_create.py,sha256=o64Y_10IY2jRaYwMhfLStBRXstBt_mabgHTYfmzGhk4,7634
179
179
  flyte/cli/_delete.py,sha256=FErGR5z-1Sbl8JqeSKWFlMnGFJfNcJ2-lAyd_ZLZxdY,1339
180
- flyte/cli/_deploy.py,sha256=oMuDt1ZUws4KDvnJ4xmNGz7_A-7L3IYQuA9uu4HHogc,9164
180
+ flyte/cli/_deploy.py,sha256=SzDCTiCjkxbx0Sx7LMnK975flE0uHnK_EIiWC6m7dwE,9566
181
181
  flyte/cli/_gen.py,sha256=7K2eYQLGVr26I2OC3Xe_bzAn4ANYA5mPlBW5m1476PM,6079
182
182
  flyte/cli/_get.py,sha256=2Zm2VZ1n1gaRI-eyiIJL85wsxkzL41oY5UudhM6IDPE,12048
183
183
  flyte/cli/_option.py,sha256=oC1Gs0u0UrOC1SsrFo-iCuAkqQvI1wJWCdjYXA9rW4Q,1445
184
184
  flyte/cli/_params.py,sha256=Zo3q5h60YGJC2EySkIDw95kG_9bZHHjLAgLT0td4-m4,20047
185
- flyte/cli/_run.py,sha256=-zJepQffOYloFBAJbjfdz5tHIi-9nU9h4ZdVgpMVZ70,17126
185
+ flyte/cli/_run.py,sha256=fCOc7KoXoLHFShbVc7FPmg6wRgoNtWRzMWpWZtzg5aY,17260
186
186
  flyte/cli/_update.py,sha256=n4GmLyeOgHTkjxP17rJwaRVbIEEh1_2tPlgcF7kSYtI,1059
187
187
  flyte/cli/_user.py,sha256=x32vEXpJkV6ONoCCcq7DbCIltHcALcSvm3PalNI57kI,339
188
188
  flyte/cli/main.py,sha256=8TO4GO0RGiEw8QraYz5fn5OqrNysZmiNDW9eU73RBww,5593
@@ -252,11 +252,11 @@ flyte/types/_renderer.py,sha256=ygcCo5l60lHufyQISFddZfWwLlQ8kJAKxUT_XnR_6dY,4818
252
252
  flyte/types/_string_literals.py,sha256=NlG1xV8RSA-sZ-n-IFQCAsdB6jXJOAKkHWtnopxVVDk,4231
253
253
  flyte/types/_type_engine.py,sha256=xGxuNQK2kShdvxcAvN5v0yP704EXMraM_d7gBPJgHn4,95711
254
254
  flyte/types/_utils.py,sha256=pbts9E1_2LTdLygAY0UYTLYJ8AsN3BZyviSXvrtcutc,2626
255
- flyte-2.0.0b23.data/scripts/debug.py,sha256=hnX2tlv9QbqckoT5CJ3c3apJj3tGDpsrdV7ZAsE7j34,911
256
- flyte-2.0.0b23.data/scripts/runtime.py,sha256=q3y0QP92U97sy5ED2NowGA6hWsNskUsWU8GDmCgugFQ,7620
257
- flyte-2.0.0b23.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
258
- flyte-2.0.0b23.dist-info/METADATA,sha256=vpptnxpzkHK-ZuD48EfO-nfFnIBCJWNqKp6vlEDqPTs,10126
259
- flyte-2.0.0b23.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
260
- flyte-2.0.0b23.dist-info/entry_points.txt,sha256=rb43Gfxw40iPH5B6EUs6Ter0ekLkGXsj7R890_MOTyk,136
261
- flyte-2.0.0b23.dist-info/top_level.txt,sha256=7dkyFbikvA12LEZEqawx8oDG1CMod6hTliPj7iWzgYo,6
262
- flyte-2.0.0b23.dist-info/RECORD,,
255
+ flyte-2.0.0b24.data/scripts/debug.py,sha256=hnX2tlv9QbqckoT5CJ3c3apJj3tGDpsrdV7ZAsE7j34,911
256
+ flyte-2.0.0b24.data/scripts/runtime.py,sha256=q3y0QP92U97sy5ED2NowGA6hWsNskUsWU8GDmCgugFQ,7620
257
+ flyte-2.0.0b24.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
258
+ flyte-2.0.0b24.dist-info/METADATA,sha256=OdUYqRW4ueOAHo-orTMQtJvSn_q1QVL7JxSTZ4z8HUo,10126
259
+ flyte-2.0.0b24.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
260
+ flyte-2.0.0b24.dist-info/entry_points.txt,sha256=rb43Gfxw40iPH5B6EUs6Ter0ekLkGXsj7R890_MOTyk,136
261
+ flyte-2.0.0b24.dist-info/top_level.txt,sha256=7dkyFbikvA12LEZEqawx8oDG1CMod6hTliPj7iWzgYo,6
262
+ flyte-2.0.0b24.dist-info/RECORD,,