pltr-cli 0.12.0__py3-none-any.whl → 0.13.0__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.
@@ -0,0 +1,290 @@
1
+ """
2
+ Streams service wrapper for Foundry SDK.
3
+ Provides access to streaming dataset and stream operations.
4
+ """
5
+
6
+ from typing import Any, Dict, Optional
7
+ from .base import BaseService
8
+
9
+
10
+ class StreamsService(BaseService):
11
+ """Service wrapper for Foundry Streams operations."""
12
+
13
+ def _get_service(self) -> Any:
14
+ """Get the Foundry Streams service."""
15
+ return self.client.streams
16
+
17
+ # ===== Dataset Operations =====
18
+
19
+ def create_dataset(
20
+ self,
21
+ name: str,
22
+ parent_folder_rid: str,
23
+ schema: Dict[str, Any],
24
+ branch_name: Optional[str] = None,
25
+ compressed: Optional[bool] = None,
26
+ partitions_count: Optional[int] = None,
27
+ stream_type: Optional[str] = None,
28
+ preview: bool = False,
29
+ ) -> Dict[str, Any]:
30
+ """
31
+ Create a streaming dataset with a stream on the specified branch.
32
+
33
+ Args:
34
+ name: Dataset name
35
+ parent_folder_rid: Parent folder RID (e.g., ri.compass.main.folder.xxx)
36
+ schema: Foundry schema for the stream (dict with field definitions)
37
+ branch_name: Branch to create stream on (default: 'master')
38
+ compressed: Enable compression for the stream (default: False)
39
+ partitions_count: Number of partitions (default: 1)
40
+ Generally, each partition can handle ~5 MB/s
41
+ stream_type: Stream type ('HIGH_THROUGHPUT' or 'LOW_LATENCY', default: 'LOW_LATENCY')
42
+ preview: Enable preview mode (default: False)
43
+
44
+ Returns:
45
+ Dataset information dictionary containing:
46
+ - rid: Dataset resource identifier
47
+ - name: Dataset name
48
+ - streamRid: Stream resource identifier
49
+
50
+ Raises:
51
+ RuntimeError: If the operation fails
52
+
53
+ Example:
54
+ >>> service = StreamsService()
55
+ >>> schema = {"fieldSchemaList": [{"name": "value", "type": "STRING"}]}
56
+ >>> dataset = service.create_dataset(
57
+ ... name="my-stream",
58
+ ... parent_folder_rid="ri.compass.main.folder.xxx",
59
+ ... schema=schema
60
+ ... )
61
+ """
62
+ try:
63
+ dataset = self.service.Dataset.create(
64
+ name=name,
65
+ parent_folder_rid=parent_folder_rid,
66
+ schema=schema,
67
+ branch_name=branch_name,
68
+ compressed=compressed,
69
+ partitions_count=partitions_count,
70
+ stream_type=stream_type,
71
+ preview=preview,
72
+ )
73
+ return self._serialize_response(dataset)
74
+ except Exception as e:
75
+ raise RuntimeError(f"Failed to create streaming dataset '{name}': {e}")
76
+
77
+ # ===== Stream Operations =====
78
+
79
+ def create_stream(
80
+ self,
81
+ dataset_rid: str,
82
+ branch_name: str,
83
+ schema: Dict[str, Any],
84
+ compressed: Optional[bool] = None,
85
+ partitions_count: Optional[int] = None,
86
+ stream_type: Optional[str] = None,
87
+ preview: bool = False,
88
+ ) -> Dict[str, Any]:
89
+ """
90
+ Create a new stream on a branch of an existing streaming dataset.
91
+
92
+ Args:
93
+ dataset_rid: Dataset RID (e.g., ri.foundry.main.dataset.xxx)
94
+ branch_name: Branch name to create stream on
95
+ schema: Foundry schema for this stream
96
+ compressed: Enable compression (default: False)
97
+ partitions_count: Number of partitions (default: 1)
98
+ stream_type: Stream type ('HIGH_THROUGHPUT' or 'LOW_LATENCY')
99
+ preview: Enable preview mode (default: False)
100
+
101
+ Returns:
102
+ Stream information dictionary containing:
103
+ - streamRid: Stream resource identifier
104
+ - branchName: Branch name
105
+ - schema: Stream schema
106
+
107
+ Raises:
108
+ RuntimeError: If the operation fails
109
+
110
+ Example:
111
+ >>> service = StreamsService()
112
+ >>> stream = service.create_stream(
113
+ ... dataset_rid="ri.foundry.main.dataset.xxx",
114
+ ... branch_name="feature-branch",
115
+ ... schema={"fieldSchemaList": [{"name": "id", "type": "INTEGER"}]}
116
+ ... )
117
+ """
118
+ try:
119
+ stream = self.service.Dataset.Stream.create(
120
+ dataset_rid=dataset_rid,
121
+ branch_name=branch_name,
122
+ schema=schema,
123
+ compressed=compressed,
124
+ partitions_count=partitions_count,
125
+ stream_type=stream_type,
126
+ preview=preview,
127
+ )
128
+ return self._serialize_response(stream)
129
+ except Exception as e:
130
+ raise RuntimeError(
131
+ f"Failed to create stream on branch '{branch_name}': {e}"
132
+ )
133
+
134
+ def get_stream(
135
+ self, dataset_rid: str, stream_branch_name: str, preview: bool = False
136
+ ) -> Dict[str, Any]:
137
+ """
138
+ Get information about a stream.
139
+
140
+ Args:
141
+ dataset_rid: Dataset RID
142
+ stream_branch_name: Branch name of the stream
143
+ preview: Enable preview mode (default: False)
144
+
145
+ Returns:
146
+ Stream information dictionary
147
+
148
+ Raises:
149
+ RuntimeError: If the operation fails
150
+
151
+ Example:
152
+ >>> service = StreamsService()
153
+ >>> stream = service.get_stream(
154
+ ... dataset_rid="ri.foundry.main.dataset.xxx",
155
+ ... stream_branch_name="master"
156
+ ... )
157
+ """
158
+ try:
159
+ stream = self.service.Dataset.Stream.get(
160
+ dataset_rid=dataset_rid,
161
+ stream_branch_name=stream_branch_name,
162
+ preview=preview,
163
+ )
164
+ return self._serialize_response(stream)
165
+ except Exception as e:
166
+ raise RuntimeError(
167
+ f"Failed to get stream on branch '{stream_branch_name}': {e}"
168
+ )
169
+
170
+ def publish_record(
171
+ self,
172
+ dataset_rid: str,
173
+ stream_branch_name: str,
174
+ record: Dict[str, Any],
175
+ view_rid: Optional[str] = None,
176
+ preview: bool = False,
177
+ ) -> None:
178
+ """
179
+ Publish a single record to a stream.
180
+
181
+ Args:
182
+ dataset_rid: Dataset RID
183
+ stream_branch_name: Branch name of the stream
184
+ record: Record data as dictionary matching stream schema
185
+ view_rid: Optional view RID for partitioning
186
+ preview: Enable preview mode (default: False)
187
+
188
+ Raises:
189
+ RuntimeError: If the operation fails
190
+
191
+ Example:
192
+ >>> service = StreamsService()
193
+ >>> service.publish_record(
194
+ ... dataset_rid="ri.foundry.main.dataset.xxx",
195
+ ... stream_branch_name="master",
196
+ ... record={"id": 123, "name": "test", "timestamp": 1234567890}
197
+ ... )
198
+ """
199
+ try:
200
+ self.service.Dataset.Stream.publish_record(
201
+ dataset_rid=dataset_rid,
202
+ stream_branch_name=stream_branch_name,
203
+ record=record,
204
+ view_rid=view_rid,
205
+ preview=preview,
206
+ )
207
+ except Exception as e:
208
+ raise RuntimeError(f"Failed to publish record to stream: {e}")
209
+
210
+ def publish_records(
211
+ self,
212
+ dataset_rid: str,
213
+ stream_branch_name: str,
214
+ records: list,
215
+ view_rid: Optional[str] = None,
216
+ preview: bool = False,
217
+ ) -> None:
218
+ """
219
+ Publish multiple records to a stream in a batch.
220
+
221
+ Args:
222
+ dataset_rid: Dataset RID
223
+ stream_branch_name: Branch name of the stream
224
+ records: List of record dictionaries matching stream schema
225
+ view_rid: Optional view RID for partitioning
226
+ preview: Enable preview mode (default: False)
227
+
228
+ Raises:
229
+ RuntimeError: If the operation fails
230
+
231
+ Example:
232
+ >>> service = StreamsService()
233
+ >>> records = [
234
+ ... {"id": 1, "name": "alice"},
235
+ ... {"id": 2, "name": "bob"}
236
+ ... ]
237
+ >>> service.publish_records(
238
+ ... dataset_rid="ri.foundry.main.dataset.xxx",
239
+ ... stream_branch_name="master",
240
+ ... records=records
241
+ ... )
242
+ """
243
+ try:
244
+ self.service.Dataset.Stream.publish_records(
245
+ dataset_rid=dataset_rid,
246
+ stream_branch_name=stream_branch_name,
247
+ records=records,
248
+ view_rid=view_rid,
249
+ preview=preview,
250
+ )
251
+ except Exception as e:
252
+ raise RuntimeError(
253
+ f"Failed to publish {len(records)} records to stream: {e}"
254
+ )
255
+
256
+ def reset_stream(
257
+ self, dataset_rid: str, stream_branch_name: str, preview: bool = False
258
+ ) -> Dict[str, Any]:
259
+ """
260
+ Reset a stream, clearing all existing data.
261
+
262
+ Args:
263
+ dataset_rid: Dataset RID
264
+ stream_branch_name: Branch name of the stream to reset
265
+ preview: Enable preview mode (default: False)
266
+
267
+ Returns:
268
+ Updated stream information
269
+
270
+ Raises:
271
+ RuntimeError: If the operation fails
272
+
273
+ Example:
274
+ >>> service = StreamsService()
275
+ >>> stream = service.reset_stream(
276
+ ... dataset_rid="ri.foundry.main.dataset.xxx",
277
+ ... stream_branch_name="master"
278
+ ... )
279
+ """
280
+ try:
281
+ stream = self.service.Dataset.Stream.reset(
282
+ dataset_rid=dataset_rid,
283
+ stream_branch_name=stream_branch_name,
284
+ preview=preview,
285
+ )
286
+ return self._serialize_response(stream)
287
+ except Exception as e:
288
+ raise RuntimeError(
289
+ f"Failed to reset stream on branch '{stream_branch_name}': {e}"
290
+ )
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: pltr-cli
3
- Version: 0.12.0
3
+ Version: 0.13.0
4
4
  Summary: Command-line interface for Palantir Foundry APIs
5
5
  Project-URL: Homepage, https://github.com/anjor/pltr-cli
6
6
  Project-URL: Repository, https://github.com/anjor/pltr-cli
@@ -27,7 +27,7 @@ Classifier: Topic :: System :: Systems Administration
27
27
  Classifier: Topic :: Utilities
28
28
  Requires-Python: >=3.9
29
29
  Requires-Dist: click-repl>=0.3.0
30
- Requires-Dist: foundry-platform-sdk>=1.27.0
30
+ Requires-Dist: foundry-platform-sdk<2.0.0,>=1.69.0
31
31
  Requires-Dist: keyring>=25.6.0
32
32
  Requires-Dist: pandas>=2.0.0
33
33
  Requires-Dist: python-dotenv>=1.1.1
@@ -56,6 +56,9 @@ A comprehensive command-line interface for Palantir Foundry APIs, providing 81+
56
56
  - 🎯 **Comprehensive Ontology Access**: 13 commands for objects, actions, and queries
57
57
  - 🏗️ **Orchestration Management**: Create, manage, and monitor builds, jobs, and schedules
58
58
  - 🎬 **MediaSets Operations**: Upload, download, and manage media content with transaction support
59
+ - 🤖 **Models Management**: Create and inspect ML models and versions in the model registry
60
+ - 🌊 **Streams Management**: Manage streaming datasets and publish real-time data
61
+ - 💬 **Language Models**: Interact with Claude and OpenAI embeddings for LLM operations
59
62
  - 📝 **Full SQL Support**: Execute, submit, monitor, and export query results
60
63
  - 👥 **Admin Operations**: User, group, role, and organization management (16 commands)
61
64
  - 💻 **Interactive Shell**: REPL mode with tab completion and command history
@@ -334,6 +337,52 @@ pltr media-sets download ri.mediasets.main.media-set.abc \
334
337
  - Preview mode (`--preview`)
335
338
  - Transaction-based upload workflow
336
339
 
340
+ ### 🤖 Models Commands
341
+
342
+ pltr-cli provides support for managing ML models and versions in the Foundry model registry. This is distinct from the LanguageModels module, which handles LLM chat and embeddings.
343
+
344
+ **Note**: The SDK does not provide a way to list all models. Use the Foundry web UI or Ontology API to discover models.
345
+
346
+ #### Model Operations
347
+ ```bash
348
+ # Create a new model
349
+ pltr models model create "fraud-detector" --folder ri.compass.main.folder.xxx
350
+
351
+ # Get model details
352
+ pltr models model get ri.foundry.main.model.abc123
353
+
354
+ # Get model as JSON
355
+ pltr models model get ri.foundry.main.model.abc123 --format json
356
+ ```
357
+
358
+ #### Model Version Operations
359
+ ```bash
360
+ # List all versions of a model
361
+ pltr models version list ri.foundry.main.model.abc123
362
+
363
+ # List with pagination
364
+ pltr models version list ri.foundry.main.model.abc123 --page-size 50
365
+
366
+ # Get next page
367
+ pltr models version list ri.foundry.main.model.abc123 \
368
+ --page-size 50 --page-token <token-from-previous-response>
369
+
370
+ # Get specific version details
371
+ pltr models version get ri.foundry.main.model.abc123 v1.0.0
372
+
373
+ # Save version details to file
374
+ pltr models version get ri.foundry.main.model.abc123 v1.0.0 \
375
+ --format json --output version-details.json
376
+ ```
377
+
378
+ **All Models commands support:**
379
+ - Multiple output formats (table, JSON, CSV)
380
+ - File output (`--output filename`)
381
+ - Profile selection (`--profile production`)
382
+ - Preview mode (`--preview`)
383
+
384
+ **Note**: Model version creation requires specialized ML tooling and is not provided via CLI. Use the Python SDK directly for version creation with dill-serialized models.
385
+
337
386
  ### 📊 Dataset Transaction Management
338
387
 
339
388
  pltr-cli provides comprehensive transaction management for datasets, allowing atomic operations with rollback capability:
@@ -1,6 +1,6 @@
1
- pltr/__init__.py,sha256=eHjt9DPsMbptabS2yGx9Yhbyzq5hFSUHXb7zc8Q_8-o,23
1
+ pltr/__init__.py,sha256=DgpLNbv0e1LIEOOe54Db8_390i9pelMEFEnsBsNmyhA,23
2
2
  pltr/__main__.py,sha256=HWJ49UoAYBQCf8kjuySPmBTuUjTZrOx-y6PzMTyS1KE,879
3
- pltr/cli.py,sha256=jyUbgOzqJkbZUr1NcnJDSXIhBFG7WMn-8q8TYoQTDzU,3085
3
+ pltr/cli.py,sha256=dQlycWOS56mkhBx1hRoiE8NcpZVUFagSeIYsImgAT-4,3595
4
4
  pltr/auth/__init__.py,sha256=G0V-Rh25FaJsH2nhrf146XQQG_ApdbyPJNuHJC25kgk,38
5
5
  pltr/auth/base.py,sha256=LvmCwS7A0q0CITcym8udPzdACL52_jSGusiaeCTOaE8,981
6
6
  pltr/auth/manager.py,sha256=ZqlGefr1a8MGx0g7kkQhpmiuVp0XTg3f43yMBCk-IRo,4305
@@ -8,7 +8,7 @@ pltr/auth/oauth.py,sha256=uTl5T3MSPlq8Jb3c45hib0vj-GQoyLxmS_NbnKez5dI,2844
8
8
  pltr/auth/storage.py,sha256=C7I3-22CJcnrKGNdxk9nXjphsnqQVguT5gNfAnR78Ok,2474
9
9
  pltr/auth/token.py,sha256=V48kxGn7CFbNGo17er5oI_ZA3xJ3iS9TsFjphZYqS2s,1925
10
10
  pltr/commands/__init__.py,sha256=iOLJ1ql4mz-3-4nz21hAqjd-9IjpYAIxr9SJQKHNFxM,29
11
- pltr/commands/admin.py,sha256=2E38LAFP5O1bTFzBASd-7IO7NAWPRoIkWm2nOjEczq8,34998
11
+ pltr/commands/admin.py,sha256=4HLFal2oqIxnyvMUP500HwiMTP7fLdXkArrZNOGfOnY,35373
12
12
  pltr/commands/aip_agents.py,sha256=vPFRNmj6hR8sbedaIjgb77T-b4-cmodCwV4Z2m8T5NE,10324
13
13
  pltr/commands/alias.py,sha256=r9xMsQNrGvaixSlspzoO2IXQ44LFXuZM4itt8vC0dRc,6862
14
14
  pltr/commands/completion.py,sha256=YTxaRL4-rDs5n7aXf3ogFsxbHVJUBo_HiBbd0fbBPZ0,10870
@@ -17,15 +17,19 @@ pltr/commands/connectivity.py,sha256=6oqKjEx0a2vLGIXhDrwRXVP5ATa36QQQ7dNOvXrqM-8
17
17
  pltr/commands/cp.py,sha256=yYUJ9gf_px2NvbmDEFtWkhHM96ddzL5-2pJUTSW0dIg,3050
18
18
  pltr/commands/dataset.py,sha256=TEqyALNgSO1jOX6RJvOHkvsvfC-oYL_94__q0fd4gIg,56693
19
19
  pltr/commands/folder.py,sha256=ItUp49lyDWIoMv8RaNDo7JFyrlk-r_Klab9FCPXwUM8,10721
20
+ pltr/commands/functions.py,sha256=Papb_PcNj1zA05rUkQm8sfjoVAQnIK3mLrJHzfTQYDM,15018
21
+ pltr/commands/language_models.py,sha256=vjiAKnhBEBfxDP2FgfLeJeaDNnCTxe9aX9aVdTzZEi0,16703
20
22
  pltr/commands/mediasets.py,sha256=u_Ju3vsWl8ZVQvKxArk9pFQJVVrr9eua1X0PTaDxDwk,21832
23
+ pltr/commands/models.py,sha256=6pouuFysH5p27H8e9Wo-jbG6uv5SjQplRPh-2Cw7bo0,10600
21
24
  pltr/commands/ontology.py,sha256=ArDdlYdYy9CnPQWCMKHbwWYmWKFx48jul224urQDENM,22956
22
25
  pltr/commands/orchestration.py,sha256=qQxSdG9p76dj2FgYxv8IY-D6WrSDxNJik-vYVkDWARM,28483
23
- pltr/commands/project.py,sha256=jFwsA9LzYVuOEPGRjULOPnv7E0DgxXIy4uSmE-pKqU4,22662
24
- pltr/commands/resource.py,sha256=NxLVspn4PaBMNIXHM3yhmOMavxods5-Ehe_uqR3Y7lo,33837
26
+ pltr/commands/project.py,sha256=jxx9nk4v62IFM13WnycK34QWJ2NEn4Q4XPFPND1rGo0,21274
27
+ pltr/commands/resource.py,sha256=SjyJBokiMTMYgpQF4-edD7pafYskNiaGz3s_AhIuFR8,32103
25
28
  pltr/commands/resource_role.py,sha256=pM0DQxLBU9xyIYzLv1Y0sOMZG5oZ1INNSkMubYBGHJM,15394
26
29
  pltr/commands/shell.py,sha256=QLF7TEGpaau9i0A9s3VjnegvtHde-SLRqI4suJFT4WI,3622
27
- pltr/commands/space.py,sha256=R9TN9OQVDtFB92DOjrh81_YYajiQaqRNELsBHK4O-pI,21944
30
+ pltr/commands/space.py,sha256=uuyl024Cp3APh-CzLc55eVuhkIfQmmmqFKGSdFfYHuc,12547
28
31
  pltr/commands/sql.py,sha256=Nn3fyrqS11LxWV_w0V73Wvv5dxHATPBKEPQHlS8HMvA,14148
32
+ pltr/commands/streams.py,sha256=hm3OQg-X4-qW5tvMjMDAjh4v8U31lHYTq7_VgqmP1q8,17992
29
33
  pltr/commands/third_party_applications.py,sha256=0fGSx7anaO4sVxE8-I8lQlOqdRO5J46CjQ3ABjAdI-8,2508
30
34
  pltr/commands/verify.py,sha256=n8LWhbfGieYa-a5_l3MxqkYbdpyVf8-i0FQIL__AaPA,6650
31
35
  pltr/config/__init__.py,sha256=Y6gARy5lUHy-OJaOUxtfXoeQVNZV5QHLl6uKHQ8tpTk,41
@@ -33,21 +37,25 @@ pltr/config/aliases.py,sha256=ZmesZWMfa5riZlVe3fyC7EI3uIzxEGsDHz-8shOpIbM,6947
33
37
  pltr/config/profiles.py,sha256=XMUIp6Ez5LNC6rGXZe2JLH7IKepXhARtuc8ASUA9FYA,3431
34
38
  pltr/config/settings.py,sha256=bfIiosPqH_W73TOHS71DvgZdAHka4fJDopU1SvBRFuQ,2908
35
39
  pltr/services/__init__.py,sha256=zQpgrqPdAkZI-nobi33mctU2-iGNgazzvjBVY8YRbSQ,101
36
- pltr/services/admin.py,sha256=0nxQEYYY0H3dCica0_gSdhdeZR6v04Z46LuvX22cYuE,20650
40
+ pltr/services/admin.py,sha256=9ptQqR83003hMZxsuh8i7fZc85GaXX_vST6ESZFtlK8,21228
37
41
  pltr/services/aip_agents.py,sha256=fyzJPXcaIAPwWvDDtwR53fpDTDfSUD0DEJvieaOzOpQ,5218
38
42
  pltr/services/base.py,sha256=R64ao_k-HihjW-WugDsJlo0Z4sV3aBGe0v2TyN4FwvM,7266
39
43
  pltr/services/connectivity.py,sha256=0KNoZJFms5R3-zHiWlCSQe5aeBWlxIiwIxpOJw7Y-dI,15107
40
44
  pltr/services/copy.py,sha256=bJEQYVAiouRMiz25QU3ET7Q6g4oXIqeTsuyrbwQpuxs,15081
41
- pltr/services/dataset.py,sha256=EkMJQm-opqchbg6b_pLHS8otdTi0wli7ANa3eHSZD2A,47560
42
- pltr/services/folder.py,sha256=mWElyvn-wXPB5sv8Ik_dLeW5JM6jZg3g9KKBk6UcrlQ,5389
45
+ pltr/services/dataset.py,sha256=DnrUr_Rkh6jNwkQXj9mfXWgOFA2lC09AAb7lbCBUsgU,47581
46
+ pltr/services/folder.py,sha256=pxtHPGujxEr7xLmF8zQz-InLePkjeLbIn3f9zNqjlKs,5586
47
+ pltr/services/functions.py,sha256=Kk7HRz-pY2NHTn0MX9EJ2JGR_J8wrKLb2prlI_6H4gg,7690
48
+ pltr/services/language_models.py,sha256=cdSJenEkeUCWHaSsE__K1EW5DLZg6m_nv3GDbnLxbMY,10675
43
49
  pltr/services/mediasets.py,sha256=dNUGVLb50WMOXq06_A6UIrELRa23c4yfjlzpF1vGD8w,14499
50
+ pltr/services/models.py,sha256=lglwiMKPS9dAOUQ3O7iPTzL2eqANBOXb5I3WrsanNzQ,5582
44
51
  pltr/services/ontology.py,sha256=1E3ejSansyyQRorvws1eeKpbYMBVIOrvEWdVNoqrovI,18652
45
52
  pltr/services/orchestration.py,sha256=C-jEW2Q2Mggpdff_WGdnAaRoytj5XyX7n5pEAAJKOfQ,19270
46
- pltr/services/project.py,sha256=kiY1hRqeFouDhIXubHwtz2ZClB94PhCLJryD1FJARhY,12504
47
- pltr/services/resource.py,sha256=hUlYRIwZvgp7V-o50QJDXcVE2aGvq7XHaURXWYm6RuU,17712
53
+ pltr/services/project.py,sha256=geKw3CpJ862xZ5YBTolWJGVdroacxGhWh9lHGNbXxLo,14791
54
+ pltr/services/resource.py,sha256=HlRer446C7nSY1xThUwdi0gkBF-uGVYn9OX5DOHdv2g,15923
48
55
  pltr/services/resource_role.py,sha256=Ootor16c6PR9TNxe6KJyd4W2lYM_HHDxJk-JvZhgRxU,10608
49
- pltr/services/space.py,sha256=4uea1nQ6CA-6_xWoD6n49E4Zm6KbW_7Cq9o89JorMTE,11544
56
+ pltr/services/space.py,sha256=pcP-xEwcwLtaSpUA9ZAv_HPR3ZNysXSYGhJP0UWT0_4,6909
50
57
  pltr/services/sql.py,sha256=sVB7A-vp3QdrdFcFCX3e3eGsEwaxcmYS3qwDNDMx1oY,12509
58
+ pltr/services/streams.py,sha256=Imgp-eE980Y9jTzKTZ0nUBptbD2mnEtdhYgG1EMRkIU,9886
51
59
  pltr/services/third_party_applications.py,sha256=v-V4CQl371DhSI0l-WMVf-vxfXWddwjS7_DE2IRtad4,1966
52
60
  pltr/utils/__init__.py,sha256=DF7TigL1XbKVGM5VjgU8_8AGIszofkdO80oCzLGGnTE,38
53
61
  pltr/utils/alias_resolver.py,sha256=DIF7P1UnUU8kqocJfIDEWjYq4s8_0KfqRZBbECeZEh8,1539
@@ -55,8 +63,8 @@ pltr/utils/completion.py,sha256=bjeqjleEfB2YcQFpcxvF0GoQ763F6KBbULSZC4FWY_g,4980
55
63
  pltr/utils/formatting.py,sha256=CE0eVojkLIBfMevBDt4BKN_jyIgdLjNSNhpba3gRJGE,57502
56
64
  pltr/utils/pagination.py,sha256=BgJ-AOAQQ1grF05lB8Lz3Pi5B8c_boEsa9WQo84Uako,11219
57
65
  pltr/utils/progress.py,sha256=BKYbiLO61uhQbibabU7pxvvbAWMRLRmqk4pZldBQK_g,9053
58
- pltr_cli-0.12.0.dist-info/METADATA,sha256=wFYEN6U4kEnUfjzuHxPGQc0AX6htysCfUe-4Ncirpv4,17815
59
- pltr_cli-0.12.0.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
60
- pltr_cli-0.12.0.dist-info/entry_points.txt,sha256=8tvEcW04kA_oAE2Dwwu-Og9efjl4ESJvs4AzlP2KBdQ,38
61
- pltr_cli-0.12.0.dist-info/licenses/LICENSE,sha256=6VUFd_ytnOBD2O1tmkKrA-smigi9QEhYr_tge4h4z8Y,1070
62
- pltr_cli-0.12.0.dist-info/RECORD,,
66
+ pltr_cli-0.13.0.dist-info/METADATA,sha256=5cxOGEZunHflBfvbLahPgcd8Mf1-GyKzS80fkakB8kc,19660
67
+ pltr_cli-0.13.0.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
68
+ pltr_cli-0.13.0.dist-info/entry_points.txt,sha256=8tvEcW04kA_oAE2Dwwu-Og9efjl4ESJvs4AzlP2KBdQ,38
69
+ pltr_cli-0.13.0.dist-info/licenses/LICENSE,sha256=6VUFd_ytnOBD2O1tmkKrA-smigi9QEhYr_tge4h4z8Y,1070
70
+ pltr_cli-0.13.0.dist-info/RECORD,,