mlrun 1.6.2rc5__py3-none-any.whl → 1.6.3__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 mlrun might be problematic. Click here for more details.

mlrun/run.py CHANGED
@@ -851,6 +851,7 @@ def _run_pipeline(
851
851
  ops=None,
852
852
  url=None,
853
853
  cleanup_ttl=None,
854
+ timeout=60,
854
855
  ):
855
856
  """remote KubeFlow pipeline execution
856
857
 
@@ -888,6 +889,7 @@ def _run_pipeline(
888
889
  ops=ops,
889
890
  artifact_path=artifact_path,
890
891
  cleanup_ttl=cleanup_ttl,
892
+ timeout=timeout,
891
893
  )
892
894
  logger.info(f"Pipeline run id={pipeline_run_id}, check UI for progress")
893
895
  return pipeline_run_id
mlrun/runtimes/pod.py CHANGED
@@ -1012,12 +1012,12 @@ class KubeResource(BaseRuntime):
1012
1012
 
1013
1013
  def _set_env(self, name, value=None, value_from=None):
1014
1014
  new_var = k8s_client.V1EnvVar(name=name, value=value, value_from=value_from)
1015
- i = 0
1016
- for v in self.spec.env:
1017
- if get_item_name(v) == name:
1018
- self.spec.env[i] = new_var
1015
+
1016
+ # ensure we don't have duplicate env vars with the same name
1017
+ for env_index, value_item in enumerate(self.spec.env):
1018
+ if get_item_name(value_item) == name:
1019
+ self.spec.env[env_index] = new_var
1019
1020
  return self
1020
- i += 1
1021
1021
  self.spec.env.append(new_var)
1022
1022
  return self
1023
1023
 
mlrun/utils/async_http.py CHANGED
@@ -24,7 +24,7 @@ from aiohttp_retry import ExponentialRetry, RequestParams, RetryClient, RetryOpt
24
24
  from aiohttp_retry.client import _RequestContext
25
25
 
26
26
  from mlrun.config import config
27
- from mlrun.errors import err_to_str
27
+ from mlrun.errors import err_to_str, raise_for_status
28
28
 
29
29
  from .helpers import logger as mlrun_logger
30
30
 
@@ -48,12 +48,21 @@ class AsyncClientWithRetry(RetryClient):
48
48
  *args,
49
49
  **kwargs,
50
50
  ):
51
+ # do not retry on PUT / PATCH as they might have side effects (not truly idempotent)
52
+ blacklisted_methods = (
53
+ blacklisted_methods
54
+ if blacklisted_methods is not None
55
+ else [
56
+ "POST",
57
+ "PUT",
58
+ "PATCH",
59
+ ]
60
+ )
51
61
  super().__init__(
52
62
  *args,
53
63
  retry_options=ExponentialRetryOverride(
54
64
  retry_on_exception=retry_on_exception,
55
- # do not retry on PUT / PATCH as they might have side effects (not truly idempotent)
56
- blacklisted_methods=blacklisted_methods or ["POST", "PUT", "PATCH"],
65
+ blacklisted_methods=blacklisted_methods,
57
66
  attempts=max_retries,
58
67
  statuses=retry_on_status_codes,
59
68
  factor=retry_backoff_factor,
@@ -65,6 +74,12 @@ class AsyncClientWithRetry(RetryClient):
65
74
  **kwargs,
66
75
  )
67
76
 
77
+ def methods_blacklist_update_required(self, new_blacklist: str):
78
+ self._retry_options: ExponentialRetryOverride
79
+ return set(self._retry_options.blacklisted_methods).difference(
80
+ set(new_blacklist)
81
+ )
82
+
68
83
  def _make_requests(
69
84
  self,
70
85
  params_list: List[RequestParams],
@@ -175,7 +190,7 @@ class _CustomRequestContext(_RequestContext):
175
190
  last_attempt = current_attempt == self._retry_options.attempts
176
191
  if self._is_status_code_ok(response.status) or last_attempt:
177
192
  if self._raise_for_status:
178
- response.raise_for_status()
193
+ raise_for_status(response)
179
194
 
180
195
  self._response = response
181
196
  return response
@@ -277,6 +292,11 @@ class _CustomRequestContext(_RequestContext):
277
292
  if isinstance(exc.os_error, exc_type):
278
293
  return
279
294
  if exc.__cause__:
280
- return self.verify_exception_type(exc.__cause__)
295
+ # If the cause exception is retriable, return, otherwise, raise the original exception
296
+ try:
297
+ self.verify_exception_type(exc.__cause__)
298
+ except Exception:
299
+ raise exc
300
+ return
281
301
  else:
282
302
  raise exc
mlrun/utils/helpers.py CHANGED
@@ -1475,6 +1475,18 @@ def as_number(field_name, field_value):
1475
1475
 
1476
1476
 
1477
1477
  def filter_warnings(action, category):
1478
+ """
1479
+ Decorator to filter warnings
1480
+
1481
+ Example::
1482
+ @filter_warnings("ignore", FutureWarning)
1483
+ def my_function():
1484
+ pass
1485
+
1486
+ :param action: one of "error", "ignore", "always", "default", "module", or "once"
1487
+ :param category: a class that the warning must be a subclass of
1488
+ """
1489
+
1478
1490
  def decorator(function):
1479
1491
  def wrapper(*args, **kwargs):
1480
1492
  # context manager that copies and, upon exit, restores the warnings filter and the showwarning() function.
mlrun/utils/logger.py CHANGED
@@ -14,6 +14,7 @@
14
14
 
15
15
  import json
16
16
  import logging
17
+ import typing
17
18
  from enum import Enum
18
19
  from sys import stdout
19
20
  from traceback import format_exception
@@ -186,11 +187,15 @@ class FormatterKinds(Enum):
186
187
  JSON = "json"
187
188
 
188
189
 
189
- def create_formatter_instance(formatter_kind: FormatterKinds) -> logging.Formatter:
190
+ def resolve_formatter_by_kind(
191
+ formatter_kind: FormatterKinds,
192
+ ) -> typing.Type[
193
+ typing.Union[HumanReadableFormatter, HumanReadableExtendedFormatter, JSONFormatter]
194
+ ]:
190
195
  return {
191
- FormatterKinds.HUMAN: HumanReadableFormatter(),
192
- FormatterKinds.HUMAN_EXTENDED: HumanReadableExtendedFormatter(),
193
- FormatterKinds.JSON: JSONFormatter(),
196
+ FormatterKinds.HUMAN: HumanReadableFormatter,
197
+ FormatterKinds.HUMAN_EXTENDED: HumanReadableExtendedFormatter,
198
+ FormatterKinds.JSON: JSONFormatter,
194
199
  }[formatter_kind]
195
200
 
196
201
 
@@ -208,11 +213,11 @@ def create_logger(
208
213
  logger_instance = Logger(level, name=name, propagate=False)
209
214
 
210
215
  # resolve formatter
211
- formatter_instance = create_formatter_instance(
216
+ formatter_instance = resolve_formatter_by_kind(
212
217
  FormatterKinds(formatter_kind.lower())
213
218
  )
214
219
 
215
220
  # set handler
216
- logger_instance.set_handler("default", stream or stdout, formatter_instance)
221
+ logger_instance.set_handler("default", stream or stdout, formatter_instance())
217
222
 
218
223
  return logger_instance
@@ -1,4 +1,4 @@
1
1
  {
2
- "git_commit": "467e492c609b314126e880f26a0c116253d4a48c",
3
- "version": "1.6.2-rc5"
2
+ "git_commit": "43c50e9853e34113270e42ef4b4ccc1b0cdb28cb",
3
+ "version": "1.6.3"
4
4
  }
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: mlrun
3
- Version: 1.6.2rc5
3
+ Version: 1.6.3
4
4
  Summary: Tracking and config of machine learning runs
5
5
  Home-page: https://github.com/mlrun/mlrun
6
6
  Author: Yaron Haviv
@@ -26,7 +26,7 @@ Requires-Dist: GitPython >=3.1.41,~=3.1
26
26
  Requires-Dist: aiohttp ~=3.9
27
27
  Requires-Dist: aiohttp-retry ~=2.8
28
28
  Requires-Dist: click ~=8.1
29
- Requires-Dist: kfp ~=1.8
29
+ Requires-Dist: kfp >=1.8.14,~=1.8
30
30
  Requires-Dist: nest-asyncio ~=1.0
31
31
  Requires-Dist: ipython ~=8.10
32
32
  Requires-Dist: nuclio-jupyter ~=0.9.15
@@ -36,15 +36,15 @@ Requires-Dist: pyarrow <15,>=10.0
36
36
  Requires-Dist: pyyaml ~=5.1
37
37
  Requires-Dist: requests ~=2.31
38
38
  Requires-Dist: tabulate ~=0.8.6
39
- Requires-Dist: v3io ~=0.6.2
40
- Requires-Dist: pydantic >=1.10.8,~=1.10
39
+ Requires-Dist: v3io ~=0.6.4
40
+ Requires-Dist: pydantic <1.10.15,>=1.10.8
41
41
  Requires-Dist: mergedeep ~=1.3
42
42
  Requires-Dist: v3io-frames ~=0.10.12
43
43
  Requires-Dist: semver ~=3.0
44
44
  Requires-Dist: dependency-injector ~=4.41
45
45
  Requires-Dist: fsspec ==2023.9.2
46
46
  Requires-Dist: v3iofs ~=0.1.17
47
- Requires-Dist: storey ~=1.6.19
47
+ Requires-Dist: storey ~=1.6.20
48
48
  Requires-Dist: inflection ~=0.5.0
49
49
  Requires-Dist: python-dotenv ~=0.17.0
50
50
  Requires-Dist: setuptools ~=69.1
@@ -82,13 +82,14 @@ Requires-Dist: uvicorn ~=0.27.1 ; extra == 'api'
82
82
  Requires-Dist: dask-kubernetes ~=0.11.0 ; extra == 'api'
83
83
  Requires-Dist: apscheduler <4,>=3.10.3 ; extra == 'api'
84
84
  Requires-Dist: objgraph ~=3.6 ; extra == 'api'
85
- Requires-Dist: igz-mgmt ~=0.1.0 ; extra == 'api'
85
+ Requires-Dist: igz-mgmt ==0.1.0 ; extra == 'api'
86
86
  Requires-Dist: humanfriendly ~=10.0 ; extra == 'api'
87
87
  Requires-Dist: fastapi ~=0.110.0 ; extra == 'api'
88
88
  Requires-Dist: sqlalchemy ~=1.4 ; extra == 'api'
89
89
  Requires-Dist: pymysql ~=1.0 ; extra == 'api'
90
90
  Requires-Dist: alembic ~=1.9 ; extra == 'api'
91
91
  Requires-Dist: timelength ~=1.1 ; extra == 'api'
92
+ Requires-Dist: memray ~=1.12 ; extra == 'api'
92
93
  Provides-Extra: azure-blob-storage
93
94
  Requires-Dist: msrest ~=0.6.21 ; extra == 'azure-blob-storage'
94
95
  Requires-Dist: azure-core ~=1.24 ; extra == 'azure-blob-storage'
@@ -141,8 +142,9 @@ Requires-Dist: gcsfs ==2023.9.2 ; extra == 'complete-api'
141
142
  Requires-Dist: google-cloud-bigquery[bqstorage,pandas] ==3.14.1 ; extra == 'complete-api'
142
143
  Requires-Dist: graphviz ~=0.20.0 ; extra == 'complete-api'
143
144
  Requires-Dist: humanfriendly ~=10.0 ; extra == 'complete-api'
144
- Requires-Dist: igz-mgmt ~=0.1.0 ; extra == 'complete-api'
145
+ Requires-Dist: igz-mgmt ==0.1.0 ; extra == 'complete-api'
145
146
  Requires-Dist: kafka-python ~=2.0 ; extra == 'complete-api'
147
+ Requires-Dist: memray ~=1.12 ; extra == 'complete-api'
146
148
  Requires-Dist: mlflow ~=2.8 ; extra == 'complete-api'
147
149
  Requires-Dist: msrest ~=0.6.21 ; extra == 'complete-api'
148
150
  Requires-Dist: objgraph ~=3.6 ; extra == 'complete-api'
@@ -1,22 +1,22 @@
1
1
  mlrun/__init__.py,sha256=o9dHUfVFADfsi6GnOPLr2OkfkHdPvOnA7rkoECen0-I,7248
2
2
  mlrun/__main__.py,sha256=zd-o0SkFH69HhIWKhqXnNURsrtpIcOJYYq50JfAxW7k,49234
3
- mlrun/config.py,sha256=h-ibiSUHu3RoJlYR84uzBQ4XaBP1gqbh5V9wLfztnkY,62699
3
+ mlrun/config.py,sha256=4scerZD_BdeDIOXJw9xrXCmpSBHxEvuc7R9QZpAb5EA,63789
4
4
  mlrun/errors.py,sha256=YdUtkN3qJ6yrseNygmKxmSWOfQ_RdKBhRxwwyMlTQCM,7106
5
5
  mlrun/execution.py,sha256=tgp6PcujZvGhDDVzPNs32YH_JNzaxfSd25yeuLwmjzg,40880
6
6
  mlrun/features.py,sha256=UQQ2uh5Xh9XsMGiYBqh3bKgDhOHANjv1gQgWyId9qQE,15624
7
7
  mlrun/k8s_utils.py,sha256=-6egUEZNPhzOxJ2gFytubvQvCYU9nPPg5Yn0zsTK-NQ,7065
8
8
  mlrun/kfpops.py,sha256=VgvS_4DappCPHzV7057SbraBTbF2mn7zZ7iPAaks3KU,30493
9
- mlrun/lists.py,sha256=JMc4Ch4wQxD_B9zbrE3JZwXD8cCYWLqHb1FQXWoaGzM,8310
10
- mlrun/model.py,sha256=nFMMXwb3FG6qeXrtiPanLmzz64dTAcSzcQc4eQhbc40,63898
11
- mlrun/render.py,sha256=_Jrtqw54AkvUZDWK5ORGUQWnGewREh_lQnUQWuCkTV4,13016
12
- mlrun/run.py,sha256=dxqkU82KuoCLKt54jvWrVcLLoWxhKgraxV0nCborOK4,42415
9
+ mlrun/lists.py,sha256=sEEfl_mw_oVUD1dfkvQZIkJ8q7LJKJPDrb5B_Dg85nY,8388
10
+ mlrun/model.py,sha256=EbSxpwtNFkqodTwM_StcmDG5MFSG50ZuDMhqzIyzLmM,64896
11
+ mlrun/render.py,sha256=pfAky9fTHRbINs93_Km_hEdVxmra9RA8BwqMepPbiuE,13451
12
+ mlrun/run.py,sha256=gyxYJqVCBsZxp0_HWAG5_lwi2_KPqcxy6un5ZLw_-2Q,42456
13
13
  mlrun/secrets.py,sha256=m7jM8fdjGLR-j9Vx-08eNmtOmlxFx9mTUBqBWtMSVQo,7782
14
14
  mlrun/api/schemas/__init__.py,sha256=ggWbnqhp7By5HNYYfRsZ4D4EdVvjLuz4qfNfR3Kq6M4,14219
15
15
  mlrun/artifacts/__init__.py,sha256=LxEWcMYPawJYvNOl6H2_UvrxdLTNYfKeZcMEKFZnGgA,1187
16
16
  mlrun/artifacts/base.py,sha256=rwewC3JqAQqUnu5WTfd7BdJHcG_LtsOs_c6Tj3OATFo,34749
17
17
  mlrun/artifacts/dataset.py,sha256=ThiZVWcXiRO-AuLfNbjB-JyoBlD3ukwiIO3Dge9SODM,22367
18
18
  mlrun/artifacts/manager.py,sha256=f6AOD5-zbzrh5krTkiOgbouSntv0Zvm5w936J79BpYE,14311
19
- mlrun/artifacts/model.py,sha256=afncOUhAjnVPPd80ZgMh3LKpqSRqxOg498PKPm4h0Mw,24982
19
+ mlrun/artifacts/model.py,sha256=ipLBAkg0DZHjucYO7SV_u0jFZu4Cf1A1a8OMGMx_lDQ,25249
20
20
  mlrun/artifacts/plots.py,sha256=dda9_LL6_szzXbP_vpuN-pSL0Dc1q3JbvUlUBrlQ1dw,15717
21
21
  mlrun/common/__init__.py,sha256=xY3wHC4TEJgez7qtnn1pQvHosi8-5UJOCtyGBS7FcGE,571
22
22
  mlrun/common/constants.py,sha256=NpBgZV-ReSvPeMKPFp3DKzNWgiVebjGZrZ19pG_ZfRE,660
@@ -27,7 +27,7 @@ mlrun/common/db/__init__.py,sha256=xY3wHC4TEJgez7qtnn1pQvHosi8-5UJOCtyGBS7FcGE,5
27
27
  mlrun/common/db/sql_session.py,sha256=yS5KnE3FbOr3samz9tegSga4nd0JSv6azN0RIN9DGjk,2687
28
28
  mlrun/common/model_monitoring/__init__.py,sha256=x0EMEvxVjHsm858J1t6IEA9dtKTdFpJ9sKhss10ld8A,721
29
29
  mlrun/common/model_monitoring/helpers.py,sha256=War8806vyMwdrQs2JkmPQ1DTPPUZ0DJ1B3jABiyRUe8,4249
30
- mlrun/common/schemas/__init__.py,sha256=JZZB7i513MJZUYQgEJ5KxMlTyEfvJJvWKyHB25meS5E,4718
30
+ mlrun/common/schemas/__init__.py,sha256=-L8-j6zTevHDglT83i0wyMTxTgeKFMmJalkkLoy51Zg,4742
31
31
  mlrun/common/schemas/artifact.py,sha256=DaJYX54tq74nu2nBiAzRmGBkBYgtZiT-IKjQI11i8F4,2824
32
32
  mlrun/common/schemas/auth.py,sha256=7fNsGhDi1DV4WGuTNtEKXfq56SeCHjpRTed8YUj8m20,5978
33
33
  mlrun/common/schemas/background_task.py,sha256=TBFiqkEY8ffKcgIZ1eHtqWcqdD0dFr1YYWl-nOff2Jc,1714
@@ -55,12 +55,12 @@ mlrun/common/schemas/schedule.py,sha256=dFaPWY3CtuW1KKGcs-br1Gsm5vPjiTgcBZGfcbAA
55
55
  mlrun/common/schemas/secret.py,sha256=51tCN1F8DFTq4y_XdHIMDy3I1TnMEBX8kO8BHKavYF4,1484
56
56
  mlrun/common/schemas/tag.py,sha256=2sm2Z5qM0jyakHuT_lxb-EQ2M5Unpodz4lj6MNkDEzo,905
57
57
  mlrun/common/schemas/workflow.py,sha256=6ScEXBHxmnIve9vrFpCHWRHBeR_iSCfdKi6VPsMkLQQ,1837
58
- mlrun/common/schemas/model_monitoring/__init__.py,sha256=aBpxCS3CqAuhzSIdlqLEfRBneOW0FtID701C00J1L0Q,1415
59
- mlrun/common/schemas/model_monitoring/constants.py,sha256=jxdbh7tyWD82ztLKGU_mlJn5auF_as9-c534UpqbzwQ,7738
58
+ mlrun/common/schemas/model_monitoring/__init__.py,sha256=bU-3prg1s378sy2bec5wgXUtZd6RarlSDR0XpUjzoDs,1439
59
+ mlrun/common/schemas/model_monitoring/constants.py,sha256=IXc5pEf5pczIQSYTxmZxaFRWD5sUtoWSVODbVrbL5pc,8113
60
60
  mlrun/common/schemas/model_monitoring/grafana.py,sha256=W6TcNc7mqPj040lfQrEadEQ37csdxLDgdU3QRLlELMQ,1444
61
61
  mlrun/common/schemas/model_monitoring/model_endpoints.py,sha256=l4vPygfamwB4bj-2UliWqcU0uluTtOpZubWGLywgoIE,12054
62
62
  mlrun/data_types/__init__.py,sha256=EkxfkFoHb91zz3Aymq-KZfCHlPMzEc3bBqgzPUwmHWY,1087
63
- mlrun/data_types/data_types.py,sha256=qgRIdlSl9X-rAnwOW-F0hwPbDKOZI05JlSzV1O8ReaU,4647
63
+ mlrun/data_types/data_types.py,sha256=hWiL5TPOj9EK7_nd1yttLBUhXTmBYLDZzmG-hWzzhHE,4751
64
64
  mlrun/data_types/infer.py,sha256=z2EbSpR6xWEE5-HRUtDZkapHQld3xMbzXtTX83K-690,6134
65
65
  mlrun/data_types/spark.py,sha256=qKQ2TIAPQWDgmIOmpyV5_uuyUX3AnXWSq6GPpVjVIek,9457
66
66
  mlrun/data_types/to_pandas.py,sha256=uq7y1svEzaDaPg92YP3p3k3BDI48XWZ2bDdH6aJSvso,9991
@@ -72,7 +72,6 @@ mlrun/datastore/datastore_profile.py,sha256=vBpkAcnGiYUO09ihg_jPgPdpo2GVBrOOSHYW
72
72
  mlrun/datastore/dbfs_store.py,sha256=5IkxnFQXkW0fdx-ca5jjQnUdTsTfNdJzMvV31ZpDNrM,6634
73
73
  mlrun/datastore/filestore.py,sha256=cI_YvQqY5J3kEvdyPelfWofxKfBitoNHJvABBkpCGRc,3788
74
74
  mlrun/datastore/google_cloud_storage.py,sha256=zQlrZnYOFfwQNBw5J2ufoyCDMlbZKA9c9no7NvnylZ4,6038
75
- mlrun/datastore/helpers.py,sha256=-bKveE9rteLd0hJd6OSMuMbfz09W_OXyu1G5O2ihZjs,622
76
75
  mlrun/datastore/inmem.py,sha256=6PAltUk7uyYlDgnsaJPOkg_P98iku1ys2e2wpAmPRkc,2779
77
76
  mlrun/datastore/redis.py,sha256=DDA1FsixfnzNwjVUU9MgVCKFo3X3tYvPDcREKyy9zS4,5517
78
77
  mlrun/datastore/s3.py,sha256=BCyVDznEsmU1M1HtRROdLo4HkLOy4fjEmgpNrTpsoW0,8030
@@ -82,13 +81,14 @@ mlrun/datastore/spark_utils.py,sha256=54rF64aC19ojUFCcwzsoBLQ-5Nmzs_KTQl9iEkK2hY
82
81
  mlrun/datastore/store_resources.py,sha256=dfMdFy2urilECtlwLJr5CSG12MA645b-NPYDnbr5s1A,6839
83
82
  mlrun/datastore/targets.py,sha256=EaeNzwHQHkMo7WRezgMeWWjTL1NmYwMx8F0RG1swb48,70159
84
83
  mlrun/datastore/utils.py,sha256=x4pm0gvpcNWSjxo99MOmwcd9I5HCwuzCh6IA4uiXlZs,7077
85
- mlrun/datastore/v3io.py,sha256=OyldGthdycuk7thQYHuCY-2XrGIef_14c2ReqgHh_7I,9188
84
+ mlrun/datastore/v3io.py,sha256=3UI22DQ1A4yQEpbMWAbopIzjqlL2k5bhmhg0Cjs3tEk,8039
86
85
  mlrun/datastore/wasbfs/__init__.py,sha256=s5Ul-0kAhYqFjKDR2X0O2vDGDbLQQduElb32Ev56Te4,1343
87
86
  mlrun/datastore/wasbfs/fs.py,sha256=MnSj7Q4OKA2L55ihCmUnj2t3GA3B77oLMdAw-yxvN9w,6151
88
87
  mlrun/db/__init__.py,sha256=WqJ4x8lqJ7ZoKbhEyFqkYADd9P6E3citckx9e9ZLcIU,1163
88
+ mlrun/db/auth_utils.py,sha256=hpg8D2r82oN0BWabuWN04BTNZ7jYMAF242YSUpK7LFM,5211
89
89
  mlrun/db/base.py,sha256=Rg2TrcwvzN28vmoyhq8sSxNjiBS1EA6BAHr24fhcmNU,18221
90
90
  mlrun/db/factory.py,sha256=wTEKHEmdDkylM6IkTYvmEYVF8gn2HdjLoLoWICCyatI,2403
91
- mlrun/db/httpdb.py,sha256=LoQrSZZUijpRIYajz0A9qAbhwtT6Yg_H9488joRjqRs,155998
91
+ mlrun/db/httpdb.py,sha256=FHrAwU7c4AQPCoXDIdkEkFfr8ViUS7XLJYIGrXrv_rs,157292
92
92
  mlrun/db/nopdb.py,sha256=rpZy5cpW-8--4OvMzlVoKNYjbhWJ3cn_z-JFwfuPqnI,14520
93
93
  mlrun/feature_store/__init__.py,sha256=n1F5m1svFW2chbE2dJdWzZJJiYS4E-y8PQsG9Q-F0lU,1584
94
94
  mlrun/feature_store/api.py,sha256=ehEwKlmE07pq1FUwh-ehA8Jm9LTkQofl5MQpEiMwVqM,49520
@@ -199,14 +199,14 @@ mlrun/model_monitoring/__init__.py,sha256=XaYyvWsIXpjJQ2gCPj8tFvfSbRSEEqgDtNz4tC
199
199
  mlrun/model_monitoring/api.py,sha256=uKT733p3vUsIgX-vdvhbroeN15bmdkZT5S3gsfwbNhk,36829
200
200
  mlrun/model_monitoring/application.py,sha256=ilslJNkq3CCivPqvsDOPmu0UClWXwH9IWr58gdxM9iU,12292
201
201
  mlrun/model_monitoring/batch.py,sha256=l0FTSTt9frLgqeSS9jY8IU_0OwlvSevuZBWBgnBGH9A,43566
202
- mlrun/model_monitoring/controller.py,sha256=a401c4noddXD64bYKD-VI8ULev3jU0wvlJwG0VGQgks,27989
202
+ mlrun/model_monitoring/controller.py,sha256=Zh7XnGevQyJCU8uMT8MC6kD7cP55vUJaIjqbBvSyuvA,27608
203
203
  mlrun/model_monitoring/controller_handler.py,sha256=kG3sTjhKdsd9QcHkUlYcvw08yPsVQs9FyFdcKP9iaCo,977
204
204
  mlrun/model_monitoring/evidently_application.py,sha256=o9PsDsjyRfcbuC1X1gb2ww5nzWCsR_KheabtpxKZ5yY,4824
205
- mlrun/model_monitoring/features_drift_table.py,sha256=2r51W4xQ8gNq3PXt73IfsYu4l4mjwD-dLfRVAvKplTE,24209
206
- mlrun/model_monitoring/helpers.py,sha256=25aTNY3jINyzE6KZfcLaWD7bHRyUDzRF1li3xD59i4Q,6955
205
+ mlrun/model_monitoring/features_drift_table.py,sha256=OEDb_YZm3cyzszzC4SDqi7ufwOS8Kl5tDY1ZG4XIdZ4,24436
206
+ mlrun/model_monitoring/helpers.py,sha256=l8RCxOGBoScZSL4M-x4fIfpsfH7wjSQpqA_t-HVk0BI,7087
207
207
  mlrun/model_monitoring/model_endpoint.py,sha256=BBtxdY5ciormI_al4zshmIp0GN7hGhOCn-hLgpCXek0,3938
208
208
  mlrun/model_monitoring/prometheus.py,sha256=Z0UWmhQ-dpGGH31gCiGdfmhfj-RFRf1Tu1bYVe-k4jk,7605
209
- mlrun/model_monitoring/stream_processing.py,sha256=XdskWRBfA7a-gOO5IcmEjOZY0XlsegYeEeggDpy4hE8,48819
209
+ mlrun/model_monitoring/stream_processing.py,sha256=mUmF12byO8h5CPszEqrI0xFbOWiyCYr493r58EElWyQ,49150
210
210
  mlrun/model_monitoring/tracking_policy.py,sha256=Q6_p4y1ZcRHqs24c_1_4m9E1gYnaOm6pLCNGT22dWKM,5221
211
211
  mlrun/model_monitoring/writer.py,sha256=IWPzPenoAkfIxlvn0IdcdB19Nxqmg4mjbo3-RnYWw9A,8669
212
212
  mlrun/model_monitoring/stores/__init__.py,sha256=adU_G07jkD3JUT8__d0jAxs9nNomL7igKmd6uVM9L50,4525
@@ -239,8 +239,8 @@ mlrun/platforms/iguazio.py,sha256=eOO8CbeSD0ooUKp-hbXbRfzWo5OTP7QaBo6zh0BXTKc,19
239
239
  mlrun/platforms/other.py,sha256=z4pWqxXkVVuMLk-MbNb0Y_ZR5pmIsUm0R8vHnqpEnew,11852
240
240
  mlrun/projects/__init__.py,sha256=Lv5rfxyXJrw6WGOWJKhBz66M6t3_zsNMCfUD6waPwx4,1153
241
241
  mlrun/projects/operations.py,sha256=CJRGKEFhqKXlg0VOKhcfjOUVAmWHA9WwAFNiXtUqBhg,18550
242
- mlrun/projects/pipelines.py,sha256=9VvLYV3bWU4t4zffpg9hauiYPBcwKmOwszgGttzDqCo,40189
243
- mlrun/projects/project.py,sha256=oOGvJfta2pEm7dvSaBnD1stOmcifv7TZ3FCmk1eVYg8,153138
242
+ mlrun/projects/pipelines.py,sha256=FcKNsFtRUP1sOuSEp5Hk0_Qv4ZIKT9gWpatg6bSUCsI,41165
243
+ mlrun/projects/project.py,sha256=U98H5DF0q17qZcQB4VqqPoEETFgh_VvV51DTHXQhsbA,153280
244
244
  mlrun/runtimes/__init__.py,sha256=f5cdEg4raKNXQawJE-AuWzK6AqIsLfDODREeMnI2Ies,7062
245
245
  mlrun/runtimes/base.py,sha256=GTVqCR3sBqbyAlEBnDClThOf0EZUoAMzlEIFqjfoyLQ,36604
246
246
  mlrun/runtimes/constants.py,sha256=tB7nIlHob3yF0K9Uf9BUZ8yxjZNSzlzrd3K32K_vV7w,9550
@@ -252,7 +252,7 @@ mlrun/runtimes/generators.py,sha256=v28HdNgxdHvj888G1dTnUeQZz-D9iTO0hoGeZbCdiuQ,
252
252
  mlrun/runtimes/kubejob.py,sha256=UfSm7hiPLAtM0TfIE5nbBdSvrbsKWCZfvKP-SZhGyAk,12500
253
253
  mlrun/runtimes/local.py,sha256=depdJkbyas7V7SMXB1T6Y_jPXxTLEB1TL5HYzDxlcXI,21791
254
254
  mlrun/runtimes/nuclio.py,sha256=hwk4dUaZefI-Qbb4s289vQpt1h0nAucxf6eINzVI-d8,2908
255
- mlrun/runtimes/pod.py,sha256=CBhKyNC20zCaRShS5UkgMR_61w_DpzEtEQ03T8J7u0k,56780
255
+ mlrun/runtimes/pod.py,sha256=loo1ysAbGslrHRhcRaFrw-ATNhuOBayEb0MCPi2EduY,56865
256
256
  mlrun/runtimes/remotesparkjob.py,sha256=W7WqlPbyqE6FjOZ2EFeOzlL1jLGWAWe61jOH0Umy3F4,7334
257
257
  mlrun/runtimes/serving.py,sha256=bV4Io-8K30IZs69pdZTSICR3HkUAAc1kSKuBJOx_jc0,30331
258
258
  mlrun/runtimes/utils.py,sha256=mNVu3ejmfEV3d7-fCAiSaF5K-Jyz2ladc5HzqhsY0Cs,16025
@@ -282,14 +282,14 @@ mlrun/track/tracker_manager.py,sha256=ZZzXtgQ-t4ah64XeAHNCbZ2VMOK_0E0RHv0pIowynj
282
282
  mlrun/track/trackers/__init__.py,sha256=9xft8YjJnblwqt8f05htmOt_eDzVBVQN07RfY_SYLCs,569
283
283
  mlrun/track/trackers/mlflow_tracker.py,sha256=zqqnECpxk_CHDKzEIdjwL9QUjXfueOw7xlZU7buguKY,23282
284
284
  mlrun/utils/__init__.py,sha256=g2pbT3loDw0GWELOC_rBq1NojSMCFnWrD-TYcDgAZiI,826
285
- mlrun/utils/async_http.py,sha256=N-zkACdr2CZNwYyMaocSR6ZH90F_WV_ZRBVe9ssi-Ns,11141
285
+ mlrun/utils/async_http.py,sha256=J3z4dzU1zk96k1sLDiGUIciBu3pdgivqh-GExFv-Fn8,11773
286
286
  mlrun/utils/azure_vault.py,sha256=IbPAZh-7mp0j4PcCy1L079LuEA6ENrkWhKZvkD4lcTY,3455
287
287
  mlrun/utils/clones.py,sha256=QG2ka65-ysfrOaoziudEjJqGgAxJvFKZOXkiD9WZGN4,7386
288
288
  mlrun/utils/condition_evaluator.py,sha256=KFZC-apM7RU5TIlRszAzMFc0NqPj3W1rgP0Zv17Ud-A,1918
289
289
  mlrun/utils/db.py,sha256=fp9p2_z7XW3DhsceJEObWKh-e5zKjPiCM55kSGNkZD8,1658
290
- mlrun/utils/helpers.py,sha256=vA8av1xiw7DTEfG16oZdxt8YxVFtDU4jFDqykkZKvf8,53370
290
+ mlrun/utils/helpers.py,sha256=MRfvRQlxh9IITpYX68Sc8Lnej-SB5sWzIAy_7NhB44o,53692
291
291
  mlrun/utils/http.py,sha256=BLkPfCmXwFrpPrPXzipmDr9IhY3q5css7hovncXYs9g,8735
292
- mlrun/utils/logger.py,sha256=3SS-9ON0ScnUJp1S6P_jmaTRXuwF6MhBF5a5Ij8s3IU,7158
292
+ mlrun/utils/logger.py,sha256=KZFzojroEshCu1kvtCsavJpdIY8vNA-QZxiBjehP9f4,7260
293
293
  mlrun/utils/regex.py,sha256=Nd7xnDHU9PEOsse6rFwLNVgU4AaYCyuwMmQ9qgx2-Vw,4581
294
294
  mlrun/utils/singleton.py,sha256=UUTQiBTXyzmjeYzsvTUsSxqyLJHOtesqif9GNfZO9rc,883
295
295
  mlrun/utils/v3io_clients.py,sha256=HL7Hma-pxaQBXMKcEnWqGLCpFgykwnszlabzeOHC9-E,1319
@@ -304,11 +304,11 @@ mlrun/utils/notifications/notification/ipython.py,sha256=qrBmtECiRG6sZpCIVMg7RZc
304
304
  mlrun/utils/notifications/notification/slack.py,sha256=5JysqIpUYUZKXPSeeZtbl7qb2L9dj7p2NvnEBcEsZkA,3898
305
305
  mlrun/utils/notifications/notification/webhook.py,sha256=QHezCuN5uXkLcroAGxGrhGHaxAdUvkDLIsp27_Yrfd4,2390
306
306
  mlrun/utils/version/__init__.py,sha256=7kkrB7hEZ3cLXoWj1kPoDwo4MaswsI2JVOBpbKgPAgc,614
307
- mlrun/utils/version/version.json,sha256=YIkVDLi1JX_TONuWPjSwtFW540w1375CUcgwIAjAQg8,88
307
+ mlrun/utils/version/version.json,sha256=rk9MvAyByMv8Nmgcq1QMFOkTa8NP0K-g4bSlN47hPAo,84
308
308
  mlrun/utils/version/version.py,sha256=HMwseV8xjTQ__6T6yUWojx_z6yUj7Io7O4NcCCH_sz8,1970
309
- mlrun-1.6.2rc5.dist-info/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
310
- mlrun-1.6.2rc5.dist-info/METADATA,sha256=HWiySCk5hexzTIkyKNMeoBE9OZMp00kj0f9BlmCO7IM,18291
311
- mlrun-1.6.2rc5.dist-info/WHEEL,sha256=GJ7t_kWBFywbagK5eo9IoUwLW6oyOeTKmQ-9iHFVNxQ,92
312
- mlrun-1.6.2rc5.dist-info/entry_points.txt,sha256=1Owd16eAclD5pfRCoJpYC2ZJSyGNTtUr0nCELMioMmU,46
313
- mlrun-1.6.2rc5.dist-info/top_level.txt,sha256=NObLzw3maSF9wVrgSeYBv-fgnHkAJ1kEkh12DLdd5KM,6
314
- mlrun-1.6.2rc5.dist-info/RECORD,,
309
+ mlrun-1.6.3.dist-info/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
310
+ mlrun-1.6.3.dist-info/METADATA,sha256=ca26nwhJusTY2TzpDN36YP2Bb0OqX8t5B1Zj-RPQM2A,18400
311
+ mlrun-1.6.3.dist-info/WHEEL,sha256=GJ7t_kWBFywbagK5eo9IoUwLW6oyOeTKmQ-9iHFVNxQ,92
312
+ mlrun-1.6.3.dist-info/entry_points.txt,sha256=1Owd16eAclD5pfRCoJpYC2ZJSyGNTtUr0nCELMioMmU,46
313
+ mlrun-1.6.3.dist-info/top_level.txt,sha256=NObLzw3maSF9wVrgSeYBv-fgnHkAJ1kEkh12DLdd5KM,6
314
+ mlrun-1.6.3.dist-info/RECORD,,
@@ -1,18 +0,0 @@
1
- # Copyright 2023 Iguazio
2
- #
3
- # Licensed under the Apache License, Version 2.0 (the "License");
4
- # you may not use this file except in compliance with the License.
5
- # You may obtain a copy of the License at
6
- #
7
- # http://www.apache.org/licenses/LICENSE-2.0
8
- #
9
- # Unless required by applicable law or agreed to in writing, software
10
- # distributed under the License is distributed on an "AS IS" BASIS,
11
- # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12
- # See the License for the specific language governing permissions and
13
- # limitations under the License.
14
- #
15
-
16
-
17
- ONE_GB = 1024 * 1024 * 1024
18
- ONE_MB = 1024 * 1024