flyte 0.2.0b7__py3-none-any.whl → 0.2.0b9__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/syncify/_api.py CHANGED
@@ -3,6 +3,7 @@ from __future__ import annotations
3
3
  import asyncio
4
4
  import atexit
5
5
  import concurrent.futures
6
+ import functools
6
7
  import inspect
7
8
  import threading
8
9
  from typing import (
@@ -14,7 +15,6 @@ from typing import (
14
15
  Iterator,
15
16
  ParamSpec,
16
17
  Protocol,
17
- Type,
18
18
  TypeVar,
19
19
  Union,
20
20
  cast,
@@ -54,14 +54,13 @@ class _BackgroundLoop:
54
54
  functions or methods synchronously.
55
55
  """
56
56
 
57
- def __init__(self):
58
- self.loop = None
59
- self.thread = threading.Thread(name="syncify_bg", target=self._run, daemon=True)
57
+ def __init__(self, name: str):
58
+ self.loop = asyncio.new_event_loop()
59
+ self.thread = threading.Thread(name=name, target=self._run, daemon=True)
60
60
  self.thread.start()
61
61
  atexit.register(self.stop)
62
62
 
63
63
  def _run(self):
64
- self.loop = asyncio.new_event_loop()
65
64
  asyncio.set_event_loop(self.loop)
66
65
  self.loop.run_forever()
67
66
 
@@ -93,7 +92,9 @@ class _BackgroundLoop:
93
92
 
94
93
  def iterate_in_loop_sync(self, async_gen: AsyncIterator[R_co]) -> Iterator[R_co]:
95
94
  # Create an iterator that pulls items from the async generator
96
- assert self.thread.name != threading.current_thread().name, "Cannot run coroutine in the same thread"
95
+ assert self.thread.name != threading.current_thread().name, (
96
+ f"Cannot run coroutine in the same thread {self.thread.name}"
97
+ )
97
98
  while True:
98
99
  try:
99
100
  # use __anext__() and cast to Coroutine so mypy is happy
@@ -105,12 +106,19 @@ class _BackgroundLoop:
105
106
  except (StopAsyncIteration, StopIteration):
106
107
  break
107
108
 
108
- def call_in_loop_sync(self, coro: Coroutine[Any, Any, R_co]) -> R_co:
109
+ def call_in_loop_sync(self, coro: Coroutine[Any, Any, R_co]) -> R_co | Iterator[R_co]:
109
110
  """
110
111
  Run the given coroutine in the background loop and return its result.
111
112
  """
112
- future: concurrent.futures.Future[R_co] = asyncio.run_coroutine_threadsafe(coro, self.loop)
113
- return future.result()
113
+ future: concurrent.futures.Future[R_co | AsyncIterator[R_co]] = asyncio.run_coroutine_threadsafe(
114
+ coro, self.loop
115
+ )
116
+ result = future.result()
117
+ if result is not None and hasattr(result, "__aiter__"):
118
+ # If the result is an async iterator, we need to convert it to a sync iterator
119
+ return cast(Iterator[R_co], self.iterate_in_loop_sync(cast(AsyncIterator[R_co], result)))
120
+ # Otherwise, just return the result
121
+ return result
114
122
 
115
123
  async def iterate_in_loop(self, async_gen: AsyncIterator[R_co]) -> AsyncIterator[R_co]:
116
124
  """
@@ -132,7 +140,9 @@ class _BackgroundLoop:
132
140
  # Wrap the future in an asyncio Future to yield it in an async context
133
141
  aio_future: asyncio.Future[R_co] = asyncio.wrap_future(future)
134
142
  # await for the future to complete and yield its result
135
- yield await aio_future
143
+ v = await aio_future
144
+ print(f"Yielding value: {v}")
145
+ yield v
136
146
  except StopAsyncIteration:
137
147
  break
138
148
 
@@ -160,8 +170,6 @@ class _SyncWrapper:
160
170
  self,
161
171
  fn: Any,
162
172
  bg_loop: _BackgroundLoop,
163
- instance: Any = None,
164
- owner: Type | None = None,
165
173
  underlying_obj: Any = None,
166
174
  ):
167
175
  self.fn = fn
@@ -169,6 +177,12 @@ class _SyncWrapper:
169
177
  self._underlying_obj = underlying_obj
170
178
 
171
179
  def __call__(self, *args: Any, **kwargs: Any) -> Any:
180
+ if threading.current_thread().name == self._bg_loop.thread.name:
181
+ # If we are already in the background loop thread, we can call the function directly
182
+ raise AssertionError(
183
+ f"Deadlock detected: blocking call used in syncify thread {self._bg_loop.thread.name} "
184
+ f"when calling function {self.fn}, use .aio() if in an async call."
185
+ )
172
186
  # bind method if needed
173
187
  coro_fn = self.fn
174
188
 
@@ -195,7 +209,9 @@ class _SyncWrapper:
195
209
  # If we have an owner, we need to bind the method to the owner (for classmethods or staticmethods)
196
210
  fn = self._underlying_obj.__get__(None, owner)
197
211
 
198
- return _SyncWrapper(fn, bg_loop=self._bg_loop, underlying_obj=self._underlying_obj)
212
+ wrapper = _SyncWrapper(fn, bg_loop=self._bg_loop, underlying_obj=self._underlying_obj)
213
+ functools.update_wrapper(wrapper, self.fn)
214
+ return wrapper
199
215
 
200
216
  def aio(self, *args: Any, **kwargs: Any) -> Any:
201
217
  fn = self.fn
@@ -242,8 +258,8 @@ class Syncify:
242
258
 
243
259
  """
244
260
 
245
- def __init__(self):
246
- self._bg_loop = _BackgroundLoop()
261
+ def __init__(self, name: str = "flyte_syncify"):
262
+ self._bg_loop = _BackgroundLoop(name=name)
247
263
 
248
264
  @overload
249
265
  def __call__(self, func: Callable[P, Awaitable[R_co]]) -> Any: ...
@@ -263,15 +279,26 @@ class Syncify:
263
279
 
264
280
  def __call__(self, obj):
265
281
  if isinstance(obj, classmethod):
266
- return _SyncWrapper(obj.__func__, bg_loop=self._bg_loop, underlying_obj=obj)
282
+ wrapper = _SyncWrapper(obj.__func__, bg_loop=self._bg_loop, underlying_obj=obj)
283
+ functools.update_wrapper(wrapper, obj.__func__)
284
+ return wrapper
285
+
267
286
  if isinstance(obj, staticmethod):
268
- return staticmethod(cast(Any, _SyncWrapper(obj.__func__, bg_loop=self._bg_loop)))
287
+ fn = obj.__func__
288
+ wrapper = _SyncWrapper(fn, bg_loop=self._bg_loop)
289
+ functools.update_wrapper(wrapper, fn)
290
+ return staticmethod(wrapper)
291
+
269
292
  if inspect.isasyncgenfunction(obj):
270
- # If the function is an async generator, we need to handle it differently
271
- return cast(Callable[P, Iterator[R_co]], _SyncWrapper(obj, bg_loop=self._bg_loop))
293
+ wrapper = _SyncWrapper(obj, bg_loop=self._bg_loop)
294
+ functools.update_wrapper(wrapper, obj)
295
+ return cast(Callable[P, Iterator[R_co]], wrapper)
296
+
272
297
  if inspect.iscoroutinefunction(obj):
273
- # If the function is a coroutine, we can wrap it directly
274
- return _SyncWrapper(obj, bg_loop=self._bg_loop)
298
+ wrapper = _SyncWrapper(obj, bg_loop=self._bg_loop)
299
+ functools.update_wrapper(wrapper, obj)
300
+ return wrapper
301
+
275
302
  raise TypeError(
276
303
  "Syncify can only be applied to async functions, async generators, async classmethods or staticmethods."
277
304
  )
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: flyte
3
- Version: 0.2.0b7
3
+ Version: 0.2.0b9
4
4
  Summary: Add your description here
5
5
  Author-email: Ketan Umare <kumare3@users.noreply.github.com>
6
6
  Requires-Python: >=3.10
@@ -24,11 +24,37 @@ Requires-Dist: async-lru>=2.0.5
24
24
  Requires-Dist: mashumaro
25
25
  Requires-Dist: dataclasses_json
26
26
 
27
- # Flyte 2
27
+ # Flyte 2 SDK
28
28
 
29
- Next-gen of SDK for Flyte.
29
+ The next-generation SDK for Flyte.
30
30
 
31
- ## Get started
31
+ [![Publish Python Packages and Official Images](https://github.com/unionai/unionv2/actions/workflows/publish.yml/badge.svg)](https://github.com/unionai/unionv2/actions/workflows/publish.yml)
32
+
33
+ ## Quickstart
34
+ 1. Clone this repo and set `unionv2` to working directory.
35
+ 2. Run `uv venv`, and `source .venv/bin/activate` to create a new virtualenv
36
+ 3. Install the latest version of the SDK by running the following:
37
+
38
+ ```
39
+ uv pip install --no-cache --prerelease=allow --upgrade flyte
40
+ ```
41
+ 4. Create the config and point it to the Dogfood GCP cluster by running the following:
42
+
43
+ ```
44
+ flyte create config --endpoint dns:///dogfood-gcp.cloud-staging.union.ai --org dogfood-gcp --project andrew --domain development
45
+ ```
46
+ This will create a `config.yaml` file in the current directory which will be referenced ahead of any other `config.yaml`s found in your system.
47
+
48
+ 5. Now you can run stuff with the CLI:
49
+
50
+ ```
51
+ flyte run --follow examples/basics/devbox_one.py say_hello_nested
52
+ ```
53
+ Note that the `--follow` command is optional. Use this to stream updates to the terminal!
54
+
55
+
56
+
57
+ ## Hello World Example
32
58
 
33
59
  1. Only async tasks are supported right now. Style recommended, `import flyte` and then `flyte.TaskEnvironment` etc
34
60
  2. You have to create environment for even a single task
@@ -1,29 +1,30 @@
1
- flyte/__init__.py,sha256=gqNaDkBPRGcOC0BbTbgHYatkttjVJljjEKoULmswQ0Q,1392
1
+ flyte/__init__.py,sha256=-gRsCKXTW5kOSQPq-MLdJjiPDXO1bjxFssa_7_RnywU,1425
2
2
  flyte/_build.py,sha256=MkgfLAPeL56YeVrGRNZUCZgbwzlEzVP3wLbl5Qru4yk,578
3
- flyte/_context.py,sha256=pYa43ut8gp6i-Y_zOy1WW_N2IbP9Vd-zIORO11vqK1E,4995
3
+ flyte/_context.py,sha256=K0-TCt-_pHOoE5Xni87_8uIe2vCBOhfNQEtjGT4Hu4k,5239
4
4
  flyte/_deploy.py,sha256=hHZKLU3U7t1ZF_8x6LykkPu_KSDyaHL3f2WzyjLj9BQ,7723
5
5
  flyte/_doc.py,sha256=_OPCf3t_git6UT7kSJISFaWO9cfNzJhhoe6JjVdyCJo,706
6
6
  flyte/_docstring.py,sha256=SsG0Ab_YMAwy2ABJlEo3eBKlyC3kwPdnDJ1FIms-ZBQ,1127
7
- flyte/_environment.py,sha256=ft0EsyFg6OnoIFPFbwkABLcq676veIH3TTR4SNilrj8,1499
8
- flyte/_group.py,sha256=64q2GFDp3koIkx3IV4GBeGEbu4v-GPUxTlxU_sV2fPk,743
7
+ flyte/_environment.py,sha256=BkChtdVhWB3SwMSvetDZ-KiNBgRFlAXgq69PHT4zyG0,2942
8
+ flyte/_group.py,sha256=7o1j16sZyUmYB50mOiq1ui4TBAKhRpDqLakV8Ya1kw4,803
9
9
  flyte/_hash.py,sha256=Of_Zl_DzzzF2jp4ZsLm-3o-xJFCCJ8_GubmLI1htx78,504
10
- flyte/_image.py,sha256=8xEGmAALY6jQAsLfJQH9NweeVUaSTWivFEQt-JchN24,29068
10
+ flyte/_image.py,sha256=NeBvjCdwFAVGd666ufi1q-YOvhwdTEzAeJl5YBfl0bI,29043
11
11
  flyte/_initialize.py,sha256=ihTIvoMHs67UKbtFLR_zy9M1e7OK26ywoc_yMfLYwMw,16499
12
12
  flyte/_interface.py,sha256=MP5o_qpIwfBNtAc7zo_cLSjMugsPyanuO6EgUSk4fBE,3644
13
13
  flyte/_logging.py,sha256=FQvF3W1kkFypbARcOQ7WZVXO0XJasXp8EhozF6E6-aQ,3379
14
+ flyte/_map.py,sha256=efPd8O-JKUg1OY3_MzU3KGbhsGYDVRNBwWr0ceNIXhQ,7444
14
15
  flyte/_resources.py,sha256=UOLyEVhdxolvrHhddiBbYdJuE1RkM_l7xeS9G1abe6M,7583
15
16
  flyte/_retry.py,sha256=rfLv0MvWxzPByKESTglEmjPsytEAKiIvvmzlJxXwsfE,941
16
17
  flyte/_reusable_environment.py,sha256=P4FBATVKAYcIKpdFN98sI8acPyKy8eIGx6V0kUb9YdM,1289
17
- flyte/_run.py,sha256=2ugAk4tpvSAnNAlfhx4YysSrdFoce-hZHQ6XMHYxp0A,17783
18
+ flyte/_run.py,sha256=gMcQ6km5jm34BAfubJkp7SChTACblBH4M6m8FfZQeP8,17723
18
19
  flyte/_secret.py,sha256=SqIHs6mi8hEkIIBZe3bI9jJsPt65Mt6dV5uh9_op1ME,2392
19
- flyte/_task.py,sha256=cqWfbMDMkEg1Q0sOkaSi1h_9Vn81DbGCOgNFZo8bMfI,14622
20
- flyte/_task_environment.py,sha256=svSJJMEiiYsqz403s_urMgPdjguHJJSGVuBobT3uwVo,8403
20
+ flyte/_task.py,sha256=Gq34LbELz5dIc4dvYjgRXyzAnBvs8ED3iU1FWVuAFRE,18391
21
+ flyte/_task_environment.py,sha256=J1LFH9Zz1nPhlsrc_rYny1SS3QC1b55X7tRYoTG7Vk4,6815
21
22
  flyte/_timeout.py,sha256=zx5sFcbYmjJAJbZWSGzzX-BpC9HC7Jfs35T7vVhKwkk,1571
22
23
  flyte/_tools.py,sha256=JewkQZBR_M85tS6QY8e4xXue75jbOE48nID4ZHnc9jY,632
23
24
  flyte/_trace.py,sha256=7OQtQNosIlycTwaMjdc3GW4h3T3N0bYTsY6og4clPl8,5234
24
- flyte/_version.py,sha256=aew4sh3XJsC-oHvLUBV1yrPYnRPf3pvzP7MaVQdQXzs,519
25
+ flyte/_version.py,sha256=6yaYOwx6af-xfDGkZHMO3lXrEv1xpPMopHstyivLlUQ,519
25
26
  flyte/errors.py,sha256=m2JUNqLC6anVW6UiDK_ihuA06q_Hkw1mIUMDskb2OW8,4289
26
- flyte/models.py,sha256=GTRuR6GXc0RAbLmPEnnH54oRF7__2TNFhmYjFoYMjZA,12660
27
+ flyte/models.py,sha256=8ZqWar7n-u9ZYyxct88T_0-41LXjSjstoQvDfiDjp64,12841
27
28
  flyte/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
28
29
  flyte/_bin/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
29
30
  flyte/_bin/runtime.py,sha256=Q1vajoQ913KUfCQSP0u8Qoj-AYgfvU2i2wI19ydqnDw,4849
@@ -37,15 +38,15 @@ flyte/_code_bundle/_packaging.py,sha256=_wEozcQTYgqvAAaKQYna9ptvShIMlXk3vEdccwAO
37
38
  flyte/_code_bundle/_utils.py,sha256=b0s3ZVKSRwaa_2CMTCqt2iRrUvTTW3FmlyqCD9k5BS0,12028
38
39
  flyte/_code_bundle/bundle.py,sha256=8T0gcXck6dmg-8L2-0G3B2iNjC-Xwydu806iyKneMMY,8789
39
40
  flyte/_internal/__init__.py,sha256=vjXgGzAAjy609YFkAy9_RVPuUlslsHSJBXCLNTVnqOY,136
40
- flyte/_internal/controllers/__init__.py,sha256=qaawXUgYdC5yHh5JfQ9mCH3u9a7oTYriDChADekzuzo,3750
41
- flyte/_internal/controllers/_local_controller.py,sha256=wTrJitUZMKodvvZMiy4bQbmIv0doF8Pb-OCsa8lAHgA,4708
41
+ flyte/_internal/controllers/__init__.py,sha256=5CBnS9lb1VFMzZuRXUiaPhlN3G9qh7Aq9kTwxW5hsRw,4301
42
+ flyte/_internal/controllers/_local_controller.py,sha256=Nsqy1Grrw6JggKwiQn7lsChjL2gT5f-bHyaqrT2vjnA,7111
42
43
  flyte/_internal/controllers/_trace.py,sha256=Ga2b65sn9q2IoOwHBZV2inMYyO6-CSDwzN7E3pDxsEI,1126
43
44
  flyte/_internal/controllers/remote/__init__.py,sha256=9_azH1eHLqY6VULpDugXi7Kf1kK1ODqEnsQ_3wM6IqU,1919
44
45
  flyte/_internal/controllers/remote/_action.py,sha256=w6vE1vPz1BwxvwfotDWjTNbDXfGEPrRBA8N3UVQ6P0w,4905
45
46
  flyte/_internal/controllers/remote/_client.py,sha256=HPbzbfaWZVv5wpOvKNtFXR6COiZDwd1cUJQqi60A7oU,1421
46
- flyte/_internal/controllers/remote/_controller.py,sha256=uqZYQDGG70DeJiqAU4y7n7VhXQ0gvD4ktWu15-zg86I,17387
47
+ flyte/_internal/controllers/remote/_controller.py,sha256=IbCRMTbQrNz96zjSZo2KHDmB0nW3dwT8VlWLu4zElGQ,19462
47
48
  flyte/_internal/controllers/remote/_core.py,sha256=2dka1rDnA8Ui_qhfE1ymZuN8E2BYQPn123h_eMixSiM,18091
48
- flyte/_internal/controllers/remote/_informer.py,sha256=6WPaT1EmDcIwQ3VlujGWICzHy-kaGhMut_zBh2ShZnE,14186
49
+ flyte/_internal/controllers/remote/_informer.py,sha256=JC35aHbEdwBN7cwDKbQj6koPUypTapYyK0wKxOBRBCo,14191
49
50
  flyte/_internal/controllers/remote/_service_protocol.py,sha256=B9qbIg6DiGeac-iSccLmX_AL2xUgX4ezNUOiAbSy4V0,1357
50
51
  flyte/_internal/imagebuild/__init__.py,sha256=cLXVxkAyFpbdC1y-k3Rb6FRW9f_xpoRQWVn__G9IqKs,354
51
52
  flyte/_internal/imagebuild/docker_builder.py,sha256=bkr2fs9jInTq8jqU8ka7NGvp0RPfYhbTfX1RqtqTvvs,13986
@@ -61,7 +62,7 @@ flyte/_internal/runtime/entrypoints.py,sha256=Kyi19i7LYk7YM3ZV_Y4FXGt5Pc1tIftGkI
61
62
  flyte/_internal/runtime/io.py,sha256=Lgdy4iPjlKjUO-V_AkoPZff6lywaFjZUG-PErRukmx4,4248
62
63
  flyte/_internal/runtime/resources_serde.py,sha256=tvMMv3l6cZEt_cfs7zVE_Kqs5qh-_r7fsEPxb6xMxMk,4812
63
64
  flyte/_internal/runtime/task_serde.py,sha256=985eItmPsnA17CQdRXknjVDBK8wzOx4956AUuVjLsM8,9772
64
- flyte/_internal/runtime/taskrunner.py,sha256=2lxA6QiDGlNPXnPkzP0bUr6_hWO_QWueHr1TagfgQ7Y,7243
65
+ flyte/_internal/runtime/taskrunner.py,sha256=74rnpABxEjqA7ZWxGZ1bXNU3rRT8Ba2utkuKXVpTwY4,7321
65
66
  flyte/_internal/runtime/types_serde.py,sha256=EjRh9Yypx9-20XXQprtNgp766LeQVRoYWtY6XPGMZQg,1813
66
67
  flyte/_protos/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
67
68
  flyte/_protos/common/authorization_pb2.py,sha256=6G7CAfq_Vq1qrm8JFkAnMAj0AaEipiX7MkjA7nk91-M,6707
@@ -129,28 +130,29 @@ flyte/_protos/workflow/task_service_pb2_grpc.py,sha256=PdhEfPraBIeN-UQulZsA2D0on
129
130
  flyte/_utils/__init__.py,sha256=ZlVA1bLeAEnzwbkK7eEVAVmeVQnbBCuGqfd2UIk-yNc,599
130
131
  flyte/_utils/asyn.py,sha256=KeJKarXNIyD16g6oPM0T9cH7JDmh1KY7JLbwo7i0IlQ,3673
131
132
  flyte/_utils/async_cache.py,sha256=JtZJmWO62OowJ0QFNl6wryWqh-kuDi76aAASMie87QY,4596
132
- flyte/_utils/coro_management.py,sha256=hlWzxdrsBYfUwzQS7qtltclG56XPxBMNgWE5lkuYdrY,760
133
+ flyte/_utils/coro_management.py,sha256=_JTt9x9fOc_1OSe03DSheYoKOvlonBB_4WNCS9XSaoU,698
133
134
  flyte/_utils/file_handling.py,sha256=iU4TxW--fCho_Eg5xTMODn96P03SxzF-V-5f-7bZAZY,2233
134
- flyte/_utils/helpers.py,sha256=Ntrs1WilJS7a4oLmcIPLXMi0cuzRDiCr_wwgtpV30uk,3953
135
+ flyte/_utils/helpers.py,sha256=45ZC2OSNKS66DkTvif8W8x7MH4KxluvAyn0a92mKRqM,4366
135
136
  flyte/_utils/lazy_module.py,sha256=fvXPjvZLzCfcI8Vzs4pKedUDdY0U_RQ1ZVrp9b8qBQY,1994
136
137
  flyte/_utils/uv_script_parser.py,sha256=PxqD8lSMi6xv0uDd1s8LKB2IPZr4ttZJCUweqlyMTKk,1483
137
- flyte/cli/__init__.py,sha256=Hx_mrERToVkrvORPB56ZnUED86T4S50ac1nwLQfvsgo,278
138
- flyte/cli/_abort.py,sha256=WkXmjAOcrBU9NXXndcwF7YW7QcUTJzyUrvIRW0fjpSE,580
139
- flyte/cli/_common.py,sha256=u9Vf4VR601cEawlKw-o9bJJuQVNlLMMsFgCTWl-umU4,10748
140
- flyte/cli/_create.py,sha256=8g9LgrjhpJiusUkmWeIRB3XviTVmMfo1dGCEt8Hna00,2377
141
- flyte/cli/_delete.py,sha256=xOZN7Y13AQjAEQvdEod9qk1MQPU9l7bjQCkYzf_l4uY,497
142
- flyte/cli/_deploy.py,sha256=u30rb6KfZnr52M6zHlLueaOkgdCGoS2pIpfb0wFoTvY,4371
143
- flyte/cli/_get.py,sha256=u5PNAeJTPkGzdcz5gd2oiFrNvIfm8oRGK3MsjyY4Dzc,7553
138
+ flyte/cli/__init__.py,sha256=M02O-UGqQlA8JJ_jyWRiwQhTNc5CJJ7x9J7fNxTxBT0,52
139
+ flyte/cli/_abort.py,sha256=lTftDmVXEIrFz1XAASCqWbXQEQDqRdTCJqY7izk2USI,593
140
+ flyte/cli/_common.py,sha256=UkhKgjoti-5iLGczUkcwN5QmhkWk5uFsoL9C2gHoiCo,10766
141
+ flyte/cli/_create.py,sha256=fPyme_o8-Qf1Cy7DSspXgwYcBDO4G8nPmoUpSDprfz4,4087
142
+ flyte/cli/_delete.py,sha256=qq5A9d6vXdYvYz-SECXiC6LU5rAzahNTZKiKacOtcZ4,545
143
+ flyte/cli/_deploy.py,sha256=owGe_RVwC73p3dOPWYSo442OVuZyagF8LKTvC57xubQ,4466
144
+ flyte/cli/_gen.py,sha256=vlE5l8UR1zz4RSdaRyUfYFvGR0TLxGcTYcP4dhA3Pvg,5458
145
+ flyte/cli/_get.py,sha256=Pl9nHVHzRQT8IG3k_VAMJ2Xvaq9URsovm96op_153os,9843
144
146
  flyte/cli/_params.py,sha256=X3GpuftXmtfIsYQ7vBilD4kmlkXTc7_AxpaxohRjSuY,19458
145
- flyte/cli/_run.py,sha256=F8Io2WB4dGHvNWbCmvCtyx4YGQhmoCAxeARwAwNSn78,7150
146
- flyte/cli/main.py,sha256=1-Qm3IAPIRQSKaWVL1iGajiJoOO0mRqJsRnNtfd_uw4,3064
147
+ flyte/cli/_run.py,sha256=zRu4DTO__BVsLgpSLUbYR1Twvzc_2zivUhcviymCRf0,7884
148
+ flyte/cli/main.py,sha256=V_gXj3YDr43igWQtugcPt8CbJincoTE9g1uG52JdHgk,4449
147
149
  flyte/config/__init__.py,sha256=MiwEYK5Iv7MRR22z61nzbsbvZ9Q6MdmAU_g9If1Pmb8,144
148
150
  flyte/config/_config.py,sha256=QE3T0W8xOULjJaqDMdMF90f9gFVjGR6h8QPOLsyqjYw,9831
149
151
  flyte/config/_internal.py,sha256=Bj0uzn3PYgxKbzM-q2GKXxp7Y6cyzhPzUB-Y2i6cQKo,2836
150
152
  flyte/config/_reader.py,sha256=c16jm0_IYxwEAjXENtllLeO_sT5Eg2RNLG4UjnAv_x4,7157
151
153
  flyte/connectors/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
152
154
  flyte/extras/__init__.py,sha256=FhB0uK7H1Yo5De9vOuF7UGnezTKncj3u2Wo5uQdWN0g,74
153
- flyte/extras/_container.py,sha256=JM-JNsj9-Mjf7E4OQcAS2Z5IJBXhB-HtQkGn_mu7gvk,11249
155
+ flyte/extras/_container.py,sha256=R7tMIy2EuprEGowYhjPMwnszSutgWIzAeKPeXNc2nmI,11255
154
156
  flyte/io/__init__.py,sha256=e2wHVEoZ84TGOtOPrtTg6hJpeuxiYI56Sg011yq6nUQ,236
155
157
  flyte/io/_dataframe.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
156
158
  flyte/io/_dir.py,sha256=rih9CY1YjNX05bcAu5LG62Xoyij5GXAlv7jLyVF0je8,15310
@@ -165,7 +167,7 @@ flyte/remote/_console.py,sha256=avmELJPx8nQMAVPrHlh6jEIRPjrMwFpdZjJsWOOa9rE,660
165
167
  flyte/remote/_data.py,sha256=DPK85gB6M71RjxqIh1Q5PdZ9xcJ0m1w_3cT2lAO0r7w,5795
166
168
  flyte/remote/_logs.py,sha256=EOXg4OS8yYclsT6NASgOLMo0TA2sZpKb2MWZXpWBPuI,6404
167
169
  flyte/remote/_project.py,sha256=dTBYqORDAbLvh9WnPO1Ytuzw2vxNYZwwNsKE2_b0o14,2807
168
- flyte/remote/_run.py,sha256=Dk7LQaB_edxSd6H93H-khjeZKXT76PgHPSLKIuGJQfw,31021
170
+ flyte/remote/_run.py,sha256=9euHjYRX-xyxXuhn0MunYb9dmgl0FMU3a-FZNjJA4F8,31057
169
171
  flyte/remote/_secret.py,sha256=l5xeMS83uMcWWeSSTRsSZUNhS0N--1Dze09C-thSOQs,4341
170
172
  flyte/remote/_task.py,sha256=6TBdjPWgxHmdY9OJMMPGZax8h7Qs7q9dprNktjnZ77E,7904
171
173
  flyte/remote/_client/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
@@ -197,16 +199,16 @@ flyte/storage/_config.py,sha256=xVibWJaioOnkeTb_M30azgiUe1jvmQaOWRZEkpdoTao,8680
197
199
  flyte/storage/_remote_fs.py,sha256=kM_iszbccjVD5VtVdgfkl1FHS8NPnY__JOo_CPQUE4c,1124
198
200
  flyte/storage/_storage.py,sha256=mBy7MKII2M1UTVm_EUUDwVb7uT1_AOPzQr2wCJ-fgW0,9873
199
201
  flyte/storage/_utils.py,sha256=8oLCM-7D7JyJhzUi1_Q1NFx8GBUPRfou0T_5tPBmPbE,309
200
- flyte/syncify/__init__.py,sha256=tmGOUw3XvDXpaxQk95oRmUTObcIzjEvBFaceSzrXATU,94
201
- flyte/syncify/_api.py,sha256=Ayq9xzb1IJJrlHuTJ160C3k7tdrAjhX4z-FgQM-3T8M,9799
202
+ flyte/syncify/__init__.py,sha256=WgTk-v-SntULnI55CsVy71cxGJ9Q6pxpTrhbPFuouJ0,1974
203
+ flyte/syncify/_api.py,sha256=x37A7OtUS0WVUB1wkoN0i5iu6HQPDYlPc1uwzVFOrfM,10927
202
204
  flyte/types/__init__.py,sha256=xMIYOolT3Vq0qXy7unw90IVdYztdMDpKg0oG0XAPC9o,364
203
205
  flyte/types/_interface.py,sha256=mY7mb8v2hJPGk7AU99gdOWl4_jArA1VFtjYGlE31SK0,953
204
206
  flyte/types/_renderer.py,sha256=ygcCo5l60lHufyQISFddZfWwLlQ8kJAKxUT_XnR_6dY,4818
205
207
  flyte/types/_string_literals.py,sha256=NlG1xV8RSA-sZ-n-IFQCAsdB6jXJOAKkHWtnopxVVDk,4231
206
208
  flyte/types/_type_engine.py,sha256=QxyoDWRG_whfLCz88YqEVVoTTnca0FZv9eHeLLT0_-s,93645
207
209
  flyte/types/_utils.py,sha256=pbts9E1_2LTdLygAY0UYTLYJ8AsN3BZyviSXvrtcutc,2626
208
- flyte-0.2.0b7.dist-info/METADATA,sha256=PEzzLl143Af5aF5AtaQFINAedUl2-txdzh36uHWd6fQ,3751
209
- flyte-0.2.0b7.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
210
- flyte-0.2.0b7.dist-info/entry_points.txt,sha256=MIq2z5dBurdCJfpXfMKzgBv7sJOakKRYxr8G0cMiTrg,75
211
- flyte-0.2.0b7.dist-info/top_level.txt,sha256=7dkyFbikvA12LEZEqawx8oDG1CMod6hTliPj7iWzgYo,6
212
- flyte-0.2.0b7.dist-info/RECORD,,
210
+ flyte-0.2.0b9.dist-info/METADATA,sha256=4iN_NmCj__wWn6iVgYBAaYotKg6posAg0V34TzisufQ,4828
211
+ flyte-0.2.0b9.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
212
+ flyte-0.2.0b9.dist-info/entry_points.txt,sha256=MIq2z5dBurdCJfpXfMKzgBv7sJOakKRYxr8G0cMiTrg,75
213
+ flyte-0.2.0b9.dist-info/top_level.txt,sha256=7dkyFbikvA12LEZEqawx8oDG1CMod6hTliPj7iWzgYo,6
214
+ flyte-0.2.0b9.dist-info/RECORD,,