dtlpy 1.92.18__py3-none-any.whl → 1.93.11__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.
@@ -210,7 +210,8 @@ class Apps:
210
210
  organization_id: str = None,
211
211
  custom_installation: dict = None,
212
212
  scope: entities.AppScope = None,
213
- wait: bool = True
213
+ wait: bool = True,
214
+ integrations: list = None
214
215
  ) -> entities.App:
215
216
  """
216
217
  Install the specified app in the project.
@@ -222,6 +223,7 @@ class Apps:
222
223
  :param dict custom_installation: partial installation.
223
224
  :param str scope: the scope of the app. default is project.
224
225
  :param bool wait: wait for the operation to finish.
226
+ :param list integrations: list of integrations to install with the app.
225
227
 
226
228
  :return the installed app.
227
229
  :rtype entities.App
@@ -243,7 +245,8 @@ class Apps:
243
245
  'dpkName': dpk.name,
244
246
  "customInstallation": custom_installation,
245
247
  'dpkVersion': dpk.version,
246
- 'scope': scope
248
+ 'scope': scope,
249
+ 'integrations': integrations
247
250
  },
248
251
  client_api=self._client_api,
249
252
  project=self.project)
@@ -0,0 +1,228 @@
1
+ from ..services.api_client import ApiClient
2
+ from .. import exceptions, entities, repositories
3
+ from typing import List, Optional, Dict
4
+
5
+
6
+ class Computes:
7
+
8
+ def __init__(self, client_api: ApiClient):
9
+ self._client_api = client_api
10
+ self._base_url = '/compute'
11
+ self._commands = None
12
+
13
+ @property
14
+ def commands(self) -> repositories.Commands:
15
+ if self._commands is None:
16
+ self._commands = repositories.Commands(client_api=self._client_api)
17
+ return self._commands
18
+
19
+ def create(
20
+ self,
21
+ context: entities.ComputeContext,
22
+ shared_contexts: Optional[List[entities.ComputeContext]],
23
+ cluster: entities.ComputeCluster,
24
+ type: entities.ComputeType = entities.ComputeType.KUBERNETES,
25
+ is_global: Optional[bool] = False,
26
+ features: Optional[Dict] = None,
27
+ wait=True
28
+ ):
29
+ """
30
+ Create a new compute
31
+
32
+ :param context: Compute context
33
+ :param shared_contexts: Shared contexts
34
+ :param cluster: Compute cluster
35
+ :param type: Compute type
36
+ :param is_global: Is global
37
+ :param features: Features
38
+ :param wait: Wait for compute creation
39
+ :return: Compute
40
+ """
41
+
42
+ payload = {
43
+ 'context': context.to_json(),
44
+ 'type': type.value,
45
+ 'global': is_global,
46
+ 'features': features,
47
+ shared_contexts: [sc.to_json() for sc in shared_contexts],
48
+ 'cluster': cluster.to_json()
49
+ }
50
+
51
+ # request
52
+ success, response = self._client_api.gen_request(
53
+ req_type='post',
54
+ path=self._base_url,
55
+ json_req=payload
56
+ )
57
+
58
+ if not success:
59
+ raise exceptions.PlatformException(response)
60
+
61
+ compute = entities.Compute.from_json(
62
+ _json=response.json(),
63
+ client_api=self._client_api
64
+ )
65
+
66
+ if wait:
67
+ command_id = compute.metadata.get('system', {}).get('create', {}).get('commandId', None)
68
+ if command_id is not None:
69
+ command = self.commands.get(command_id=command_id, url='api/v1/commands/faas/{}'.format(command_id))
70
+ command.wait()
71
+ compute = self.get(compute_id=compute.id)
72
+
73
+ return compute
74
+
75
+ def get(self, compute_id: str):
76
+ """
77
+ Get a compute
78
+
79
+ :param compute_id: Compute ID
80
+ :return: Compute
81
+ """
82
+
83
+ # request
84
+ success, response = self._client_api.gen_request(
85
+ req_type='get',
86
+ path=self._base_url + '/{}'.format(compute_id)
87
+ )
88
+
89
+ if not success:
90
+ raise exceptions.PlatformException(response)
91
+
92
+ compute = entities.Compute.from_json(
93
+ _json=response.json(),
94
+ client_api=self._client_api
95
+ )
96
+
97
+ return compute
98
+
99
+ def update(self, compute: entities.Compute):
100
+ """
101
+ Update a compute
102
+
103
+ :param compute: Compute
104
+ :return: Compute
105
+ """
106
+
107
+ # request
108
+ success, response = self._client_api.gen_request(
109
+ req_type='patch',
110
+ path=self._base_url + '/{}'.format(compute.id),
111
+ json_req=compute.to_json()
112
+ )
113
+
114
+ if not success:
115
+ raise exceptions.PlatformException(response)
116
+
117
+ compute = entities.Compute.from_json(
118
+ _json=response.json(),
119
+ client_api=self._client_api
120
+ )
121
+
122
+ return compute
123
+
124
+ def delete(self, compute_id: str):
125
+ """
126
+ Delete a compute
127
+
128
+ :param compute_id: compute ID
129
+ """
130
+
131
+ # request
132
+ success, response = self._client_api.gen_request(
133
+ req_type='delete',
134
+ path=self._base_url + '/{}'.format(compute_id)
135
+ )
136
+
137
+ if not success:
138
+ raise exceptions.PlatformException(response)
139
+
140
+ return True
141
+
142
+
143
+ class ServiceDrivers:
144
+
145
+ def __init__(self, client_api: ApiClient):
146
+ self._client_api = client_api
147
+ self._base_url = '/serviceDriver'
148
+
149
+ def create(
150
+ self,
151
+ name: str,
152
+ compute_id: str,
153
+ context: entities.ComputeContext
154
+ ):
155
+ """
156
+ Create a new service driver
157
+
158
+ :param name: Service driver name
159
+ :param compute_id: Compute ID
160
+ :param context: Compute context
161
+ :return: Service driver
162
+
163
+ """
164
+
165
+ payload = {
166
+ 'name': name,
167
+ 'computeId': compute_id,
168
+ 'context': context.to_json()
169
+ }
170
+
171
+ # request
172
+ success, response = self._client_api.gen_request(
173
+ req_type='post',
174
+ path=self._base_url,
175
+ json_req=payload
176
+ )
177
+
178
+ if not success:
179
+ raise exceptions.PlatformException(response)
180
+
181
+ service_driver = entities.ServiceDriver.from_json(
182
+ _json=response.json(),
183
+ client_api=self._client_api
184
+ )
185
+
186
+ return service_driver
187
+
188
+ def get(self, service_driver_id: str):
189
+ """
190
+ Get a service driver
191
+
192
+ :param service_driver_id: Service driver ID
193
+ :return: Service driver
194
+ """
195
+
196
+ # request
197
+ success, response = self._client_api.gen_request(
198
+ req_type='get',
199
+ path=self._base_url + '/{}'.format(service_driver_id)
200
+ )
201
+
202
+ if not success:
203
+ raise exceptions.PlatformException(response)
204
+
205
+ service_driver = entities.ServiceDriver.from_json(
206
+ _json=response.json(),
207
+ client_api=self._client_api
208
+ )
209
+
210
+ return service_driver
211
+
212
+ def delete(self, service_driver_id: str):
213
+ """
214
+ Delete a service driver
215
+
216
+ :param service_driver_id: Service driver ID
217
+ """
218
+
219
+ # request
220
+ success, response = self._client_api.gen_request(
221
+ req_type='delete',
222
+ path=self._base_url + '/{}'.format(service_driver_id)
223
+ )
224
+
225
+ if not success:
226
+ raise exceptions.PlatformException(response)
227
+
228
+ return True
@@ -780,18 +780,15 @@ class Metrics:
780
780
  """
781
781
  if filters is None:
782
782
  filters = entities.Filters(resource=entities.FiltersResource.METRICS)
783
- if self._model is not None:
784
- filters.add(field='modelId', values=self._model.id)
785
- # assert type filters
786
783
  if not isinstance(filters, entities.Filters):
787
784
  raise exceptions.PlatformException(error='400',
788
785
  message='Unknown filters type: {!r}'.format(type(filters)))
789
-
790
786
  if filters.resource != entities.FiltersResource.METRICS:
791
787
  raise exceptions.PlatformException(
792
788
  error='400',
793
789
  message='Filters resource must to be FiltersResource.METRICS. Got: {!r}'.format(filters.resource))
794
-
790
+ if self._model is not None:
791
+ filters.add(field='modelId', values=self._model.id)
795
792
  paged = entities.PagedEntities(items_repository=self,
796
793
  filters=filters,
797
794
  page_offset=filters.page,
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: dtlpy
3
- Version: 1.92.18
3
+ Version: 1.93.11
4
4
  Summary: SDK and CLI for Dataloop platform
5
5
  Home-page: https://github.com/dataloop-ai/dtlpy
6
6
  Author: Dataloop Team
@@ -1,5 +1,5 @@
1
- dtlpy/__init__.py,sha256=judUZGmYQMFrva_nip8O371rvJ1BZnoL0fbU_1TX9CI,20194
2
- dtlpy/__version__.py,sha256=ZdVvFV5PIAe2nMsSSrNOuWmp5sG9C_eg0iLY3frYIgw,20
1
+ dtlpy/__init__.py,sha256=6-Ioishmg5KdDJ3ZtouCDp-UYLzgysq7BI94IpiLl9Y,20596
2
+ dtlpy/__version__.py,sha256=flCI96G7rktCrmZ4eEkrFS3Nw88MtB-SGsLZGEPtddc,20
3
3
  dtlpy/exceptions.py,sha256=EQCKs3pwhwZhgMByQN3D3LpWpdxwcKPEEt-bIaDwURM,2871
4
4
  dtlpy/new_instance.py,sha256=I4Gc658s-yUD0-gEiC2pRDKaADZPdr1dm67K4mkx5xw,10065
5
5
  dtlpy/assets/__init__.py,sha256=D_hAa6NM8Zoy32sF_9b7m0b7I-BQEyBFg8-9Tg2WOeo,976
@@ -44,11 +44,11 @@ dtlpy/dlp/dlp,sha256=-F0vSCWuSOOtgERAtsPMPyMmzitjhB7Yeftg_PDlDjw,10
44
44
  dtlpy/dlp/dlp.bat,sha256=QOvx8Dlx5dUbCTMpwbhOcAIXL1IWmgVRSboQqDhIn3A,37
45
45
  dtlpy/dlp/dlp.py,sha256=YjNBjeCDTXJ7tj8qdiGZ8lFb8DtPZl-FvViyjxt9xF8,4278
46
46
  dtlpy/dlp/parser.py,sha256=p-TFaiAU2c3QkI97TXzL2LDR3Eq0hGDFrTc9J2jWLh4,30551
47
- dtlpy/entities/__init__.py,sha256=lOu2d39xvp-gOi-BEtGriXSLgBOYx6vfAOGYCFBzorc,4522
47
+ dtlpy/entities/__init__.py,sha256=eD0ON6MAmzvc0NQmTWzxLPOdHbl5bu4Np3a1JMBfR4k,4805
48
48
  dtlpy/entities/analytic.py,sha256=5MpYDKPVsZ1MIy20Ju515RWed6P667j4TLxsan2gyNM,11925
49
49
  dtlpy/entities/annotation.py,sha256=yk-JQzgzXvnDLFrOkmcHQfEtsiPqZeIisv80ksNB-f8,66912
50
50
  dtlpy/entities/annotation_collection.py,sha256=CEYSBHhhDkC0VJdHsBSrA6TgdKGMcKeI3tFM40UJwS8,29838
51
- dtlpy/entities/app.py,sha256=wJV_CJmEhKLXskpeKkaHHvh0tuKL7oK18wCu6eIHPXo,6751
51
+ dtlpy/entities/app.py,sha256=VA1Sex80H9ebeYbjUYUbvHoyn3a-uqMtGkSauPsn1VM,6957
52
52
  dtlpy/entities/app_module.py,sha256=0UiAbBX1q8iEImi3nY7ySWZZHoRRwu0qUXmyXmgVAc4,3645
53
53
  dtlpy/entities/artifact.py,sha256=wtLtBuidOPbnba0ok40JyunCCIBGbAl4bP_ebK39Kk4,5711
54
54
  dtlpy/entities/assignment.py,sha256=Dc1QcfVf67GGcmDDi4ubESDuPkSgjXqdqjTBQ31faUM,14722
@@ -56,20 +56,21 @@ dtlpy/entities/base_entity.py,sha256=i83KrtAz6dX4t8JEiUimLI5ZRrN0VnoUWKG2Zz49N5w
56
56
  dtlpy/entities/bot.py,sha256=is3NUCnPg56HSjsHIvFcVkymValMqDV0uHRDC1Ib-ds,3819
57
57
  dtlpy/entities/codebase.py,sha256=pwRkAq2GV0wvmzshg89IAmE-0I2Wsy_-QNOu8OV8uqc,8999
58
58
  dtlpy/entities/command.py,sha256=ARu8ttk-C7_Ice7chRyTtyOtakBTF09FC04mEk73SO8,5010
59
+ dtlpy/entities/compute.py,sha256=b7R8K7Ay2g1_Mm0bqrpyuf8IMLlZC3yMYtWkZIL9DdA,11799
59
60
  dtlpy/entities/dataset.py,sha256=87o6FA9MYCIc0KBCUqQr_VsX-W2mGbJn64JvD-zp-EA,47354
60
61
  dtlpy/entities/directory_tree.py,sha256=Rni6pLSWytR6yeUPgEdCCRfTg_cqLOdUc9uCqz9KT-Q,1186
61
- dtlpy/entities/dpk.py,sha256=3iL-n8a8HoWqUusAepfs3v_kDP7b_H0I_D3YucO6vuE,17325
62
+ dtlpy/entities/dpk.py,sha256=WVEWplWRU7KM8YPY6BlaxSLVFw29elLsE32QOQgCgLo,17403
62
63
  dtlpy/entities/driver.py,sha256=O_QdK1EaLjQyQkmvKsmkNgmvmMb1mPjKnJGxK43KrOA,7197
63
64
  dtlpy/entities/execution.py,sha256=WBiAws-6wZnQQ3y9wyvOeexA3OjxfaRdwDu5dSFYL1g,13420
64
65
  dtlpy/entities/feature.py,sha256=9fFjD0W57anOVSAVU55ypxN_WTCsWTG03Wkc3cAAj78,3732
65
66
  dtlpy/entities/feature_set.py,sha256=niw4MkmrDbD_LWQu1X30uE6U4DCzmFhPTaYeZ6VZDB0,4443
66
- dtlpy/entities/filters.py,sha256=Xkiu9IKR-MX2su6wVr5seQ4mKwFh0IFygtsVQkfoYSE,22348
67
+ dtlpy/entities/filters.py,sha256=axgneXylIUIM-uABG5Uk6hFtTTMmLWoZ5B5NfthcAw8,22364
67
68
  dtlpy/entities/integration.py,sha256=CA5F1eQCGE_4c_Kry4nWRdeyjHctNnvexcDXg_M5HLU,5734
68
- dtlpy/entities/item.py,sha256=3m9T5Y4xrfiNhgMQf_gWzwI3Ol_6U8LE_u5uWtims2M,29704
69
+ dtlpy/entities/item.py,sha256=G6VVcVCudqeShWigZmNIuKD4OkvTRJ05CeXFXNe3Jk8,29691
69
70
  dtlpy/entities/label.py,sha256=ycDYavIgKhz806plIX-64c07_TeHpDa-V7LnfFVe4Rg,3869
70
71
  dtlpy/entities/links.py,sha256=FAmEwHtsrqKet3c0UHH9u_gHgG6_OwF1-rl4xK7guME,2516
71
72
  dtlpy/entities/message.py,sha256=ApJuaKEqxATpXjNYUjGdYPu3ibQzEMo8-LtJ_4xAcPI,5865
72
- dtlpy/entities/model.py,sha256=GXfQoLa06GSsymBiRTqI2FYegLwyrc5S8lWMwGWxhjw,24959
73
+ dtlpy/entities/model.py,sha256=LEot0PHOxPSeK9SCzAT6pofbLrbfybFYmr6v9YsiuB4,24927
73
74
  dtlpy/entities/node.py,sha256=yPPYDLtNMc6vZbbf4FIffY86y7tkaTvYm42Jb7k3Ofk,39617
74
75
  dtlpy/entities/ontology.py,sha256=ok4p3sLBc_SS5hs2gZr5-gbblrveM7qSIX4z67QSKeQ,31967
75
76
  dtlpy/entities/organization.py,sha256=AMkx8hNIIIjnu5pYlNjckMRuKt6H3lnOAqtEynkr7wg,9893
@@ -82,7 +83,7 @@ dtlpy/entities/paged_entities.py,sha256=A6_D0CUJsN52dBG6yn-oHHzjuVDkBNejTG5r-KxW
82
83
  dtlpy/entities/pipeline.py,sha256=OrRybxEa29S4sKtl7RTdf6kRgnQi90n4wlN4OsMJJLk,20671
83
84
  dtlpy/entities/pipeline_execution.py,sha256=XCXlBAHFYVL2HajE71hK-bPxI4gTwZvg5SKri4BgyRA,9928
84
85
  dtlpy/entities/project.py,sha256=ZUx8zA3mr6N145M62R3UDPCCzO1vxfyWO6vjES-bO-g,14653
85
- dtlpy/entities/prompt_item.py,sha256=6fswLddnVKPLyGElgUCVPIZUYAZ-U0eor3nxZqecKHY,12335
86
+ dtlpy/entities/prompt_item.py,sha256=Kmvguz3f0sGtkKZS9OEA_-Yi4aQRCgdg1GBkaLQyyTg,19592
86
87
  dtlpy/entities/recipe.py,sha256=Q1HtYgind3bEe-vnDZWhw6H-rcIAGhkGHPRWtLIkPSE,11917
87
88
  dtlpy/entities/reflect_dict.py,sha256=2NaSAL-CO0T0FYRYFQlaSpbsoLT2Q18AqdHgQSLX5Y4,3273
88
89
  dtlpy/entities/resource_execution.py,sha256=1HuVV__U4jAUOtOkWlWImnM3Yts8qxMSAkMA9sBhArY,5033
@@ -145,21 +146,22 @@ dtlpy/miscellaneous/list_print.py,sha256=leEg3RodgYfH5t_0JG8VuM8NiesR8sJLK_mRStt
145
146
  dtlpy/miscellaneous/zipping.py,sha256=GMdPhAeHQXeMS5ClaiKWMJWVYQLBLAaJUWxvdYrL4Ro,5337
146
147
  dtlpy/ml/__init__.py,sha256=vPkyXpc9kcWWZ_PxyPEOsjKBJdEbowLkZr8FZIb_OBM,799
147
148
  dtlpy/ml/base_feature_extractor_adapter.py,sha256=iiEGYAx0Rdn4K46H_FlKrAv3ebTXHSxNVAmio0BxhaI,1178
148
- dtlpy/ml/base_model_adapter.py,sha256=6HwWkMCsRD9TqmDviMa5glfpXbS4DRhKlXMFnFh4-tA,47828
149
+ dtlpy/ml/base_model_adapter.py,sha256=-Y29Yze9TEMlE3bio_nvw05EiIfjn_H47WcbEIOtXcg,50112
149
150
  dtlpy/ml/metrics.py,sha256=BG2E-1Mvjv2e2No9mIJKVmvzqBvLqytKcw3hA7wVUNc,20037
150
151
  dtlpy/ml/predictions_utils.py,sha256=He_84U14oS2Ss7T_-Zj5GDiBZwS-GjMPURUh7u7DjF8,12484
151
152
  dtlpy/ml/summary_writer.py,sha256=dehDi8zmGC1sAGyy_3cpSWGXoGQSiQd7bL_Thoo8yIs,2784
152
153
  dtlpy/ml/train_utils.py,sha256=R-BHKRfqDoLLhFyLzsRFyJ4E-8iedj9s9oZqy3IO2rg,2404
153
- dtlpy/repositories/__init__.py,sha256=_p6RafEniBXbeTAbz8efnIr4G4mCwV9x6LEkXhTRWUE,1949
154
+ dtlpy/repositories/__init__.py,sha256=aBWg6mayTAy6CtfSPLxyT_Uae7hQyNTILI7sRLKNEPU,1996
154
155
  dtlpy/repositories/analytics.py,sha256=dQPCYTPAIuyfVI_ppR49W7_GBj0033feIm9Gd7LW1V0,2966
155
156
  dtlpy/repositories/annotations.py,sha256=E7iHo8UwDAhdulqh0lGr3fGQ-TSwZXXGsEXZA-WJ_NA,35780
156
- dtlpy/repositories/apps.py,sha256=VamO007F1rW7gPdMqPE-pFMaqXz4S5Xm9pY3GD9ITIY,15555
157
+ dtlpy/repositories/apps.py,sha256=J-PDCPWVtvTLmzzkABs2-8zo9hGLk_z_sNR2JB1mB0c,15752
157
158
  dtlpy/repositories/artifacts.py,sha256=Ke2ustTNw-1eQ0onLsWY7gL2aChjXPAX5p1uQ_EzMbo,19081
158
159
  dtlpy/repositories/assignments.py,sha256=1VwJZ7ctQe1iaDDDpeYDgoj2G-TCgzolVLUEqUocd2w,25506
159
160
  dtlpy/repositories/bots.py,sha256=q1SqH01JHloljKxknhHU09psV1vQx9lPhu3g8mBBeRg,8104
160
161
  dtlpy/repositories/codebases.py,sha256=pvcZxdrq0-zWysVbdXjUOhnfcF6hJD8v5VclNZ-zhGA,24668
161
162
  dtlpy/repositories/commands.py,sha256=8GJU2OQTH0grHFQE30l0UVqaPAwio4psk4VpiYklkFk,5589
162
163
  dtlpy/repositories/compositions.py,sha256=H417BvlQAiWr5NH2eANFke6CfEO5o7DSvapYpf7v5Hk,2150
164
+ dtlpy/repositories/computes.py,sha256=eudVoUhEjTrkHm72BiAWwIEeaXq7PZJpqh3E6oCjJW8,6044
163
165
  dtlpy/repositories/datasets.py,sha256=Rauh-apKSKP7cWS99uhiZYZ-679qNpPm7HoMkMzyJ-s,51789
164
166
  dtlpy/repositories/downloader.py,sha256=pNwL7Nid8xmOyYNiv4DB_WY4RoKlxQ-U9nG2V99Gyr8,41342
165
167
  dtlpy/repositories/dpks.py,sha256=b9i-K4HHBA-7T7AZdICFfMUWtqr9--igVwOq0TKyq7Y,16612
@@ -170,7 +172,7 @@ dtlpy/repositories/features.py,sha256=7xA2ihEuNgZD7HBQMMGLWpsS2V_3PgieKW2YAk1OeU
170
172
  dtlpy/repositories/integrations.py,sha256=gNQmw5ykFtBaimdxUkzCXQqefZaM8yQPnxWZkIJK7ww,11666
171
173
  dtlpy/repositories/items.py,sha256=DqJ3g9bc4OLMm9KqI-OebXbr-zcEiohO1wGZJ1uE2Lg,37874
172
174
  dtlpy/repositories/messages.py,sha256=zYcoz8Us6j8Tb5Z7luJuvtO9xSRTuOCS7pl-ztt97Ac,3082
173
- dtlpy/repositories/models.py,sha256=o0S29Y7HF6RXV06N6MDXCozolzfK1X4JR-3YRODBBxo,34829
175
+ dtlpy/repositories/models.py,sha256=GdVWHJ6kOIxM01wH7RVQ3CVaR4OmGurWJdQVHZezLDM,34789
174
176
  dtlpy/repositories/nodes.py,sha256=xXJm_YA0vDUn0dVvaGeq6ORM0vI3YXvfjuylvGRtkxo,3061
175
177
  dtlpy/repositories/ontologies.py,sha256=unnMhD2isR9DVE5S8Fg6fSDf1ZZ5Xemxxufx4LEUT3w,19577
176
178
  dtlpy/repositories/organizations.py,sha256=6ijUDFbsogfRul1g_vUB5AZOb41MRmV5NhNU7WLHt3A,22825
@@ -219,9 +221,9 @@ dtlpy/utilities/reports/report.py,sha256=3nEsNnIWmdPEsd21nN8vMMgaZVcPKn9iawKTTeO
219
221
  dtlpy/utilities/videos/__init__.py,sha256=SV3w51vfPuGBxaMeNemx6qEMHw_C4lLpWNGXMvdsKSY,734
220
222
  dtlpy/utilities/videos/video_player.py,sha256=LCxg0EZ_DeuwcT7U_r7MRC6Q19s0xdFb7x5Gk39PRms,24072
221
223
  dtlpy/utilities/videos/videos.py,sha256=Dj916B4TQRIhI7HZVevl3foFrCsPp0eeWwvGbgX3-_A,21875
222
- dtlpy-1.92.18.data/scripts/dlp,sha256=-F0vSCWuSOOtgERAtsPMPyMmzitjhB7Yeftg_PDlDjw,10
223
- dtlpy-1.92.18.data/scripts/dlp.bat,sha256=QOvx8Dlx5dUbCTMpwbhOcAIXL1IWmgVRSboQqDhIn3A,37
224
- dtlpy-1.92.18.data/scripts/dlp.py,sha256=tEokRaDINISXnq8yNx_CBw1qM5uwjYiZoJOYGqWB3RU,4267
224
+ dtlpy-1.93.11.data/scripts/dlp,sha256=-F0vSCWuSOOtgERAtsPMPyMmzitjhB7Yeftg_PDlDjw,10
225
+ dtlpy-1.93.11.data/scripts/dlp.bat,sha256=QOvx8Dlx5dUbCTMpwbhOcAIXL1IWmgVRSboQqDhIn3A,37
226
+ dtlpy-1.93.11.data/scripts/dlp.py,sha256=tEokRaDINISXnq8yNx_CBw1qM5uwjYiZoJOYGqWB3RU,4267
225
227
  tests/assets/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
226
228
  tests/assets/models_flow/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
227
229
  tests/assets/models_flow/failedmain.py,sha256=n8F4eu_u7JPrJ1zedbJPvv9e3lHb3ihoErqrBIcseEc,1847
@@ -229,9 +231,9 @@ tests/assets/models_flow/main.py,sha256=87O3-JaWcC6m_kA39sqPhX70_VCBzzbLWmX2YQFi
229
231
  tests/assets/models_flow/main_model.py,sha256=Hl_tv7Q6KaRL3yLkpUoLMRqu5-ab1QsUYPL6RPEoamw,2042
230
232
  tests/features/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
231
233
  tests/features/environment.py,sha256=dyYLrhyaKFnobrz7jD-vgmmxjpL5HDwjQCbzOZa37dM,16261
232
- dtlpy-1.92.18.dist-info/LICENSE,sha256=QwcOLU5TJoTeUhuIXzhdCEEDDvorGiC6-3YTOl4TecE,11356
233
- dtlpy-1.92.18.dist-info/METADATA,sha256=7wSILtILaQxUkE01nn3j0a-IMSZ28H74JUoDiAITAEo,2976
234
- dtlpy-1.92.18.dist-info/WHEEL,sha256=2wepM1nk4DS4eFpYrW1TTqPcoGNfHhhO_i5m4cOimbo,92
235
- dtlpy-1.92.18.dist-info/entry_points.txt,sha256=C4PyKthCs_no88HU39eioO68oei64STYXC2ooGZTc4Y,43
236
- dtlpy-1.92.18.dist-info/top_level.txt,sha256=ZWuLmQGUOtWAdgTf4Fbx884w1o0vBYq9dEc1zLv9Mig,12
237
- dtlpy-1.92.18.dist-info/RECORD,,
234
+ dtlpy-1.93.11.dist-info/LICENSE,sha256=QwcOLU5TJoTeUhuIXzhdCEEDDvorGiC6-3YTOl4TecE,11356
235
+ dtlpy-1.93.11.dist-info/METADATA,sha256=ZCyo2qfXprK4zhWfrWgyxt_KO90x0T36CoVfhgpN95o,2976
236
+ dtlpy-1.93.11.dist-info/WHEEL,sha256=2wepM1nk4DS4eFpYrW1TTqPcoGNfHhhO_i5m4cOimbo,92
237
+ dtlpy-1.93.11.dist-info/entry_points.txt,sha256=C4PyKthCs_no88HU39eioO68oei64STYXC2ooGZTc4Y,43
238
+ dtlpy-1.93.11.dist-info/top_level.txt,sha256=ZWuLmQGUOtWAdgTf4Fbx884w1o0vBYq9dEc1zLv9Mig,12
239
+ dtlpy-1.93.11.dist-info/RECORD,,
File without changes