pvw-cli 1.0.6__py3-none-any.whl → 1.0.8__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 pvw-cli might be problematic. Click here for more details.

@@ -13,9 +13,10 @@ from azure.core.exceptions import ClientAuthenticationError
13
13
  class SyncPurviewConfig:
14
14
  """Simple synchronous config"""
15
15
 
16
- def __init__(self, account_name: str, azure_region: str = "public"):
16
+ def __init__(self, account_name: str, azure_region: str = "public", account_id: Optional[str] = None):
17
17
  self.account_name = account_name
18
18
  self.azure_region = azure_region
19
+ self.account_id = account_id # Optional Purview account ID for UC endpoints
19
20
 
20
21
 
21
22
  class SyncPurviewClient:
@@ -24,7 +25,7 @@ class SyncPurviewClient:
24
25
  def __init__(self, config: SyncPurviewConfig):
25
26
  self.config = config
26
27
 
27
- # Set up endpoints based on Azure region
28
+ # Set up regular Purview API endpoints based on Azure region, using account name in the URL
28
29
  if config.azure_region and config.azure_region.lower() == "china":
29
30
  self.base_url = f"https://{config.account_name}.purview.azure.cn"
30
31
  self.auth_scope = "https://purview.azure.cn/.default"
@@ -35,11 +36,49 @@ class SyncPurviewClient:
35
36
  self.base_url = f"https://{config.account_name}.purview.azure.com"
36
37
  self.auth_scope = "https://purview.azure.net/.default"
37
38
 
39
+ # Set up Unified Catalog endpoint using Purview account ID format
40
+ self.account_id = config.account_id or self._get_purview_account_id()
41
+ self.uc_base_url = f"https://{self.account_id}-api.purview-service.microsoft.com"
42
+ self.uc_auth_scope = "73c2949e-da2d-457a-9607-fcc665198967/.default"
43
+
38
44
  self._token = None
45
+ self._uc_token = None
39
46
  self._credential = None
40
47
 
41
- def _get_authentication_token(self):
42
- """Get Azure authentication token"""
48
+ def _get_purview_account_id(self):
49
+ """Get Purview account ID from Atlas endpoint URL"""
50
+ account_id = os.getenv("PURVIEW_ACCOUNT_ID")
51
+ if not account_id:
52
+ import subprocess
53
+ try:
54
+ # Get the Atlas catalog endpoint and extract account ID from it
55
+ result = subprocess.run([
56
+ "az", "purview", "account", "show",
57
+ "--name", self.config.account_name,
58
+ "--resource-group", os.getenv("PURVIEW_RESOURCE_GROUP", "fabric-artifacts"),
59
+ "--query", "endpoints.catalog",
60
+ "-o", "tsv"
61
+ ], capture_output=True, text=True, check=True)
62
+ atlas_url = result.stdout.strip()
63
+ # Extract account ID from URL like: https://c869cf92-11d8-4fbc-a7cf-6114d160dd71-api.purview-service.microsoft.com/catalog
64
+ if atlas_url and "-api.purview-service.microsoft.com" in atlas_url:
65
+ account_id = atlas_url.split("://")[1].split("-api.purview-service.microsoft.com")[0]
66
+ else:
67
+ raise Exception(f"Could not extract account ID from Atlas URL: {atlas_url}")
68
+ except Exception as e:
69
+ # Try to get tenant ID as fallback since it often matches the account ID
70
+ try:
71
+ tenant_result = subprocess.run([
72
+ "az", "account", "show", "--query", "tenantId", "-o", "tsv"
73
+ ], capture_output=True, text=True, check=True)
74
+ account_id = tenant_result.stdout.strip()
75
+ print(f"Warning: Using tenant ID as account ID fallback: {account_id}")
76
+ except Exception:
77
+ raise Exception(f"Could not determine Purview account ID. Please set PURVIEW_ACCOUNT_ID environment variable. Error: {e}")
78
+ return account_id
79
+
80
+ def _get_authentication_token(self, for_unified_catalog=False):
81
+ """Get Azure authentication token for regular Purview or Unified Catalog APIs"""
43
82
  try:
44
83
  # Try different authentication methods in order of preference
45
84
 
@@ -56,10 +95,15 @@ class SyncPurviewClient:
56
95
  # 2. Use default credential (managed identity, VS Code, CLI, etc.)
57
96
  self._credential = DefaultAzureCredential()
58
97
 
59
- # Get the token
60
- token = self._credential.get_token(self.auth_scope)
61
- self._token = token.token
62
- return self._token
98
+ # Get the appropriate token based on the API type
99
+ if for_unified_catalog:
100
+ token = self._credential.get_token(self.uc_auth_scope)
101
+ self._uc_token = token.token
102
+ return self._uc_token
103
+ else:
104
+ token = self._credential.get_token(self.auth_scope)
105
+ self._token = token.token
106
+ return self._token
63
107
 
64
108
  except ClientAuthenticationError as e:
65
109
  raise Exception(f"Azure authentication failed: {str(e)}")
@@ -69,12 +113,25 @@ class SyncPurviewClient:
69
113
  def make_request(self, method: str, endpoint: str, **kwargs) -> Dict:
70
114
  """Make actual HTTP request to Microsoft Purview"""
71
115
  try:
72
- # Get authentication token
73
- if not self._token:
74
- self._get_authentication_token() # Prepare the request
75
- url = f"{self.base_url}{endpoint}"
116
+ # Determine if this is a Unified Catalog request
117
+ is_unified_catalog = endpoint.startswith('/datagovernance/catalog')
118
+
119
+ # Get the appropriate authentication token and base URL
120
+ if is_unified_catalog:
121
+ if not self._uc_token:
122
+ self._get_authentication_token(for_unified_catalog=True)
123
+ token = self._uc_token
124
+ base_url = self.uc_base_url
125
+ else:
126
+ if not self._token:
127
+ self._get_authentication_token(for_unified_catalog=False)
128
+ token = self._token
129
+ base_url = self.base_url
130
+
131
+ # Prepare the request
132
+ url = f"{base_url}{endpoint}"
76
133
  headers = {
77
- "Authorization": f"Bearer {self._token}",
134
+ "Authorization": f"Bearer {token}",
78
135
  "Content-Type": "application/json",
79
136
  "User-Agent": "purviewcli/2.0",
80
137
  }
@@ -1,17 +1,15 @@
1
- Metadata-Version: 2.1
1
+ Metadata-Version: 2.4
2
2
  Name: pvw-cli
3
- Version: 1.0.6
3
+ Version: 1.0.8
4
4
  Summary: Microsoft Purview CLI with comprehensive automation capabilities
5
- Home-page: https://github.com/Keayoub/Purview_cli
6
- Author: Ayoub KEBAILI
7
5
  Author-email: AYOUB KEBAILI <keayoub@msn.com>
8
6
  Maintainer-email: AYOUB KEBAILI <keayoub@msn.com>
9
- License: MIT
10
- Project-URL: Homepage, https://github.com/your-org/pvw-cli
11
- Project-URL: Documentation, https://pvw-cli.readthedocs.io/
12
- Project-URL: Repository, https://github.com/your-org/pvw-cli.git
13
- Project-URL: Bug Tracker, https://github.com/your-org/pvw-cli/issues
14
- Project-URL: Changelog, https://github.com/your-org/pvw-cli/blob/main/CHANGELOG.md
7
+ License-Expression: MIT
8
+ Project-URL: Homepage, https://github.com/Keayoub/Purview_cli
9
+ Project-URL: Documentation, https://github.com/Keayoub/Purview_cli/wiki
10
+ Project-URL: Repository, https://github.com/Keayoub/Purview_cli.git
11
+ Project-URL: Bug Tracker, https://github.com/Keayoub/Purview_cli/issues
12
+ Project-URL: Source, https://github.com/Keayoub/Purview_cli
15
13
  Keywords: azure,purview,cli,data,catalog,governance,automation,pvw
16
14
  Classifier: Development Status :: 4 - Beta
17
15
  Classifier: Intended Audience :: Developers
@@ -36,12 +34,13 @@ Requires-Dist: azure-core>=1.24.0
36
34
  Requires-Dist: requests>=2.28.0
37
35
  Requires-Dist: pandas>=1.5.0
38
36
  Requires-Dist: aiohttp>=3.8.0
39
- Requires-Dist: pydantic>=1.10.0
37
+ Requires-Dist: pydantic<3.0.0,>=1.10.0
40
38
  Requires-Dist: typer>=0.7.0
41
39
  Requires-Dist: PyYAML>=6.0
42
40
  Requires-Dist: python-dotenv>=0.19.0
43
41
  Requires-Dist: asyncio-throttle>=1.0.0
44
42
  Requires-Dist: tabulate>=0.9.0
43
+ Requires-Dist: cryptography<46.0.0,>=41.0.5
45
44
  Provides-Extra: dev
46
45
  Requires-Dist: pytest>=7.0.0; extra == "dev"
47
46
  Requires-Dist: pytest-asyncio>=0.20.0; extra == "dev"
@@ -61,24 +60,29 @@ Requires-Dist: pytest-asyncio>=0.20.0; extra == "test"
61
60
  Requires-Dist: pytest-cov>=4.0.0; extra == "test"
62
61
  Requires-Dist: requests-mock>=1.9.0; extra == "test"
63
62
 
64
- # PURVIEW CLI v1.0.0 - Microsoft Purview Automation & Data Governance
63
+ # PURVIEW CLI v1.0.8 - Microsoft Purview Automation & Data Governance
65
64
 
66
- > **LATEST UPDATE (June 2025):**
67
- > - Major: Advanced Data Product Management (see new `data-product` command group)
68
- > - Enhanced Discovery Query/Search support (see below for usage).
65
+ > **LATEST UPDATE (September 2025):**
66
+ > - **🚀 MAJOR: Complete Microsoft Purview Unified Catalog (UC) Support** (see new `uc` command group)
67
+ > - Full governance domains, glossary terms, data products, OKRs, and critical data elements management
68
+ > - Feature parity with UnifiedCatalogPy project with enhanced CLI experience
69
+ > - Advanced Data Product Management (legacy `data-product` command group)
70
+ > - Enhanced Discovery Query/Search support
71
+ > - **Fixed all command examples to use correct `pvw` command**
69
72
 
70
73
  ---
71
74
 
72
75
  ## What is PVW CLI?
73
76
 
74
- **PVW CLI v1.0.0** is a modern, full-featured command-line interface and Python library for Microsoft Purview. It enables automation and management of *all major Purview APIs* including:
77
+ **PVW CLI v1.0.8** is a modern, full-featured command-line interface and Python library for Microsoft Purview. It enables automation and management of *all major Purview APIs* including:
75
78
 
79
+ - **NEW Unified Catalog (UC) Management** - Complete governance domains, glossary terms, data products, OKRs, CDEs (NEW)
76
80
  - Entity management (create, update, bulk, import/export)
77
81
  - Glossary and term management
78
82
  - Lineage operations
79
83
  - Collection and account management
80
84
  - Advanced search and discovery
81
- - Data product management (new, see below)
85
+ - Data product management (legacy compatibility)
82
86
  - Classification, label, and status management
83
87
  - And more (see command reference)
84
88
 
@@ -108,16 +112,23 @@ Get started with PVW CLI in minutes:
108
112
  - Run `az login` (recommended)
109
113
  - Or set Service Principal credentials as environment variables
110
114
 
111
- 4. **Run Your First Search**
115
+ 4. **List Your Governance Domains (UC)**
116
+
117
+ ```bash
118
+ pvw uc domain list
119
+ ```
120
+
121
+ 5. **Run Your First Search**
112
122
 
113
123
  ```bash
114
124
  pvw search query --keywords="customer" --limit=5
115
125
  ```
116
126
 
117
- 5. **See All Commands**
127
+ 6. **See All Commands**
118
128
 
119
129
  ```bash
120
130
  pvw --help
131
+ pvw uc --help
121
132
  ```
122
133
 
123
134
  For more advanced usage, see the sections below or visit the [documentation](https://pvw-cli.readthedocs.io/).
@@ -126,7 +137,7 @@ For more advanced usage, see the sections below or visit the [documentation](htt
126
137
 
127
138
  ## Overview
128
139
 
129
- **PVW CLI v1.0.0** is a modern command-line interface and Python library for Microsoft Purview, enabling:
140
+ **PVW CLI v1.0.8** is a modern command-line interface and Python library for Microsoft Purview, enabling:
130
141
 
131
142
  - Advanced data catalog search and discovery
132
143
  - Bulk import/export of entities, glossary terms, and lineage
@@ -320,9 +331,43 @@ See `tests/test_search_examples.py` for ready-to-run pytest examples covering al
320
331
 
321
332
  ---
322
333
 
323
- ## Data Product Management (Advanced)
334
+ ## Unified Catalog Management (NEW)
335
+
336
+ PVW CLI now includes comprehensive **Microsoft Purview Unified Catalog (UC)** support with the new `uc` command group. This provides complete management of modern data governance features including governance domains, glossary terms, data products, objectives (OKRs), and critical data elements.
337
+
338
+ **🎯 Feature Parity**: Full compatibility with [UnifiedCatalogPy](https://github.com/olafwrieden/unifiedcatalogpy) functionality.
339
+
340
+ See [`doc/commands/unified-catalog.md`](doc/commands/unified-catalog.md) for complete documentation and examples.
341
+
342
+ ### Quick UC Examples
343
+
344
+ ```bash
345
+ # Governance Domains
346
+ pvw uc domain list
347
+ pvw uc domain create --name "Finance" --description "Financial governance"
348
+
349
+ # Glossary Terms
350
+ pvw uc term list --domain-id "abc-123"
351
+ pvw uc term create --name "Customer" --domain-id "abc-123"
324
352
 
325
- PVW CLI now includes a powerful `data-product` command group for advanced data product lifecycle management. This is in addition to the CLI's support for all core Purview APIs.
353
+ # Data Products
354
+ pvw uc dataproduct list --domain-id "abc-123"
355
+ pvw uc dataproduct create --name "Customer Analytics" --domain-id "abc-123"
356
+
357
+ # Objectives & Key Results (OKRs)
358
+ pvw uc objective list --domain-id "abc-123"
359
+ pvw uc objective create --definition "Improve data quality by 20%" --domain-id "abc-123"
360
+
361
+ # Critical Data Elements (CDEs)
362
+ pvw uc cde list --domain-id "abc-123"
363
+ pvw uc cde create --name "SSN" --data-type "String" --domain-id "abc-123"
364
+ ```
365
+
366
+ ---
367
+
368
+ ## Data Product Management (Legacy)
369
+
370
+ PVW CLI also includes the original `data-product` command group for backward compatibility with traditional data product lifecycle management.
326
371
 
327
372
  See [`doc/commands/data-product.md`](doc/commands/data-product.md) for full documentation and examples.
328
373
 
@@ -337,17 +382,24 @@ pvw data-product add-classification --qualified-name="product.test.1" --classifi
337
382
  pvw data-product add-label --qualified-name="product.test.1" --label="gold"
338
383
 
339
384
  # Link glossary term
340
- data-product link-glossary --qualified-name="product.test.1" --term="Customer"
385
+ pvw data-product link-glossary --qualified-name="product.test.1" --term="Customer"
341
386
 
342
387
  # Set status and show lineage
343
- data-product set-status --qualified-name="product.test.1" --status="active"
344
- data-product show-lineage --qualified-name="product.test.1"
388
+ pvw data-product set-status --qualified-name="product.test.1" --status="active"
389
+ pvw data-product show-lineage --qualified-name="product.test.1"
345
390
  ```
346
391
 
347
392
  ---
348
393
 
349
394
  ## Core Features
350
395
 
396
+ - **Unified Catalog (UC)**: Complete modern data governance (NEW)
397
+ ```bash
398
+ # Manage governance domains, terms, data products, OKRs, CDEs
399
+ pvw uc domain list
400
+ pvw uc term create --name "Customer" --domain-id "abc-123"
401
+ pvw uc objective create --definition "Improve quality" --domain-id "abc-123"
402
+ ```
351
403
  - **Discovery Query/Search**: Flexible, advanced search for all catalog assets
352
404
  - **Entity Management**: Bulk import/export, update, and validation
353
405
  - **Glossary Management**: Import/export terms, assign terms in bulk
@@ -364,27 +416,34 @@ data-product show-lineage --qualified-name="product.test.1"
364
416
 
365
417
  ---
366
418
 
367
- ## API Coverage and Upcoming Features
419
+ ## API Coverage and Support
368
420
 
369
- PVW CLI aims to provide comprehensive automation for all major Microsoft Purview APIs. However, some features—such as governance domain CRUD operations—are not yet available via the public REST API as of June 2025.
421
+ PVW CLI provides comprehensive automation for all major Microsoft Purview APIs, including the new **Unified Catalog APIs** for modern data governance.
370
422
 
371
- - For the latest API documentation and updates, see:
372
- - [Microsoft Purview REST API reference](https://learn.microsoft.com/en-us/rest/api/purview/)
373
- - [Atlas 2.2 API documentation](https://learn.microsoft.com/en-us/purview/data-gov-api-atlas-2-2)
423
+ ### Supported API Groups
424
+
425
+ - **Unified Catalog**: Complete governance domains, glossary terms, data products, OKRs, CDEs management ✅
426
+ - **Data Map**: Full entity and lineage management ✅
427
+ - **Discovery**: Advanced search, browse, and query capabilities ✅
428
+ - **Collections**: Collection and account management ✅
429
+ - **Management**: Administrative operations ✅
430
+ - **Scan**: Data source scanning and configuration ✅
374
431
 
375
432
  ### API Version Support
376
433
 
434
+ - **Unified Catalog**: Latest UC API endpoints (September 2025)
377
435
  - Data Map: **2024-03-01-preview** (default) or **2023-09-01** (stable)
378
436
  - Collections: **2019-11-01-preview**
379
437
  - Account: **2019-11-01-preview**
380
438
  - Management: **2021-07-01**
381
439
  - Scan: **2018-12-01-preview**
382
440
 
383
- **Note:**
384
- - Domain management (create, update, delete) is not currently supported by the public API. The CLI will add support for these features as soon as Microsoft releases the necessary endpoints.
385
- - Please monitor the above links and [Azure Updates](https://azure.microsoft.com/updates/) for new API releases.
441
+ For the latest API documentation and updates, see:
442
+ - [Microsoft Purview REST API reference](https://learn.microsoft.com/en-us/rest/api/purview/)
443
+ - [Atlas 2.2 API documentation](https://learn.microsoft.com/en-us/purview/data-gov-api-atlas-2-2)
444
+ - [Azure Updates](https://azure.microsoft.com/updates/) for new releases
386
445
 
387
- If you need a feature that is not yet implemented due to API limitations, please open an issue or check for updates in future releases.
446
+ If you need a feature that is not yet implemented, please open an issue or check for updates in future releases.
388
447
 
389
448
  ---
390
449
 
@@ -1,12 +1,11 @@
1
- purviewcli/__init__.py,sha256=4Em70RIQIEjQmZFrzWalQOgeNx_7jLGYVoevuxAjEwg,423
1
+ purviewcli/__init__.py,sha256=bvBhQKOUtC0UWDq9R96SkLTn16KrioF-RuLUO-Ty4dM,413
2
2
  purviewcli/__main__.py,sha256=n_PFo1PjW8L1OKCNLsW0vlVSo8tzac_saEYYLTu93iQ,372
3
- purviewcli/cli/__init__.py,sha256=vrqitIgq2VoisqaHifSpvfZ7DDRpskoF9YUUiPNOKBE,73
3
+ purviewcli/cli/__init__.py,sha256=UGMctZaXXsV2l2ycnmhTgyksH81_JBQjAPq3oRF2Dqk,56
4
4
  purviewcli/cli/account.py,sha256=YENHkBD0VREajDqtlkTJ-zUvq8aq7LF52HDSOSsgku8,7080
5
- purviewcli/cli/cli.py,sha256=imIuh8FoyT8OQGJAyoIYEP8ArAEtnF7GzRc-m1uQ3G8,5930
6
- purviewcli/cli/collections.py,sha256=eIhqdURUkc9SthZYJBbAAp6rYGUYylqPyUfjO0eaLhU,4416
7
- purviewcli/cli/data_product.py,sha256=WAoUlvugKAR0OHSDuzgtZ_3-QZVAtPzO4cmPWO6qgu0,11190
5
+ purviewcli/cli/cli.py,sha256=ZuthJ24ixbKmqRd-1zv8-jXQtQjn2qQR2plg8TyD0Mg,5801
6
+ purviewcli/cli/collections.py,sha256=cuSp-XiONXyXWHuUGrDYL462j7WNYRF08mU99gPQlg8,18606
8
7
  purviewcli/cli/domain.py,sha256=zI7YPhcCa4u4MIwnWHQPngTUCKOs6C_rEkdpW-Kl6hM,20897
9
- purviewcli/cli/entity.py,sha256=j3TCedQq9ELa-dz2BOLw_l1jhiwqrjpsGKPlS789Wr0,69113
8
+ purviewcli/cli/entity.py,sha256=ZEm-j9BoqFTjkmdm0IftEyn7XGs_W-1LY9pQ0oQgrmQ,87860
10
9
  purviewcli/cli/glossary.py,sha256=Lt4ifyESuuaZLOzssv4GcQEO2AQKYS8Zy8L9UFfdglU,25696
11
10
  purviewcli/cli/insight.py,sha256=Kevqla6iZ7hPgb-gIWQiXSl2er-N0-Z7Q--IH1icWbs,3853
12
11
  purviewcli/cli/lineage.py,sha256=J7_KSwtdElWc2N5i5l1YBP6QzaWrqP6nnPrjDKzVEkE,21356
@@ -17,11 +16,11 @@ purviewcli/cli/scan.py,sha256=91iKDH8iVNJKndJAisrKx3J4HRoPH2qfmxguLZH3xHY,13807
17
16
  purviewcli/cli/search.py,sha256=MQazyv_DumX6YJAWzQyN1PXwU5xiteoSgTcEwHHBxc8,5801
18
17
  purviewcli/cli/share.py,sha256=QRZhHM59RxdYqXOjSYLfVRZmjwMg4Y-bWxMSQVTQiIE,20197
19
18
  purviewcli/cli/types.py,sha256=zo_8rAqDQ1vqi5y-dBh_sVY6i16UaJLLx_vBJBfZrrw,23729
19
+ purviewcli/cli/unified_catalog.py,sha256=-YMr1BcGoPwwNfzN4cTmD8SvXduP69nudwfrWuEip_A,25618
20
20
  purviewcli/cli/workflow.py,sha256=DZLzVCZVp5k7gfBrh7YTARBHHEDgffQ8M0CBQh-h548,13260
21
21
  purviewcli/client/__init__.py,sha256=qjhTkXkgxlNUY3R1HkrT_Znt03-2d8JDolPVOeVv2xI,37
22
22
  purviewcli/client/_account.py,sha256=5lacA7vvjGBLHUDRjFR7B5E8eN6T07rctVDRXR9JFTY,12397
23
23
  purviewcli/client/_collections.py,sha256=17ma6aD6gftIe-Nhwy96TPE42O6qp0hmw84xei4VPpo,12101
24
- purviewcli/client/_data_product.py,sha256=UFN0ZRvLJk05g6WMhlYbCaD6IM8J0G_WbBfy2aefQ9g,7372
25
24
  purviewcli/client/_domain.py,sha256=Yt4RsIoGWz6ND9Ii4CtoGM6leEAL_KNXYcp6AK9KMqs,3744
26
25
  purviewcli/client/_entity.py,sha256=6yU_j0RSGUF-xzzOhLaensm6ulkmrQPWkSar6pycC04,20601
27
26
  purviewcli/client/_glossary.py,sha256=7kB3RXVOCCR1RGlaALmr_BwN6S76-xCoyVqD5ZMzt-k,20985
@@ -31,16 +30,16 @@ purviewcli/client/_management.py,sha256=2_ZXRSeEzGuHv1muUbn8mQb07enYYuHPI3NskIHI
31
30
  purviewcli/client/_policystore.py,sha256=wx9Yw6wcvj236ZmmitUKxW5u4YAtfJqAFNuxMpa7HIU,18078
32
31
  purviewcli/client/_relationship.py,sha256=KJZRltrzpTw7cfKjlZH2MuoTPS7eHxxp3cqU2etDSEA,9997
33
32
  purviewcli/client/_scan.py,sha256=2atEBD-kKWtFuBSWh2P0cwp42gfg7qgwWq-072QZMs4,15154
34
- purviewcli/client/_search.py,sha256=IlqqBfDZ4dJqPh1PShMrkIm0_x_5wwMzIqkYZMUWMkQ,11678
33
+ purviewcli/client/_search.py,sha256=vUDgjZtnNkHaCqsCXPp1Drq9Kknrkid17RNSXZhi1yw,11890
35
34
  purviewcli/client/_share.py,sha256=vKENIhePuzi3WQazNfv5U9y-6yxRk222zrFA-SGh1pc,10494
36
35
  purviewcli/client/_types.py,sha256=ONa3wh1F02QOVy51UGq54121TkqRcWczdXIvNqPIFU0,15454
37
- purviewcli/client/_unified_catalog.py,sha256=ySIx2t5gfCGn4KDqNB2AvHQbfB4UC4e5DkujoyEZu2I,11814
36
+ purviewcli/client/_unified_catalog.py,sha256=k1B6M6Dkwk9W3BRjH6EABvutMGsN0GCj079nHju1Gdg,9767
38
37
  purviewcli/client/_workflow.py,sha256=ohZpEOHxfXoxVqgUWz7HjKebWxYRngBFgfEGu3fS3vY,17886
39
38
  purviewcli/client/api_client.py,sha256=ZLpNdItu8H2Rfj0HCud2A67Gml7YCS5ZuhR5lrR0r5g,22637
40
39
  purviewcli/client/business_rules.py,sha256=VR4QqOE1Pg0nFjqAE-zbt-KqIenvzImLU-TBLki9bYc,27560
41
40
  purviewcli/client/config.py,sha256=pQIA168XxeddTSaZJ5qXI7KolIrLqDyBTgbILdDzEs0,7963
42
41
  purviewcli/client/data_quality.py,sha256=lAb-ma5MY2nyY4Dq8Q5wN9wzY0J9FikiQN8jPO2u6VU,14988
43
- purviewcli/client/endpoint.py,sha256=3p7NCS3h8cy827vwLGl8-n4w42_e7BSbkHI7_LVaQ4M,2477
42
+ purviewcli/client/endpoint.py,sha256=Th8fr81cTrPARyUdG932rLctv40t3k1JEfeKXKbVsDY,3044
44
43
  purviewcli/client/endpoints.py,sha256=GcY4ygmBQ2h14uY3uXcyJofmlK0ACCjl7uR33QDaO2w,27066
45
44
  purviewcli/client/exceptions.py,sha256=3UA6wUa-SLxfhGvkdOgJouvOJGulvG1zt6eRN_4imsg,1244
46
45
  purviewcli/client/lineage_visualization.py,sha256=rFKr5cYDauwg4QEHKI7kkqKdHQKgMG6CSUPOmhAz3fI,29644
@@ -49,11 +48,11 @@ purviewcli/client/rate_limiter.py,sha256=wn9iUrL79oq3s7nBo2shsAtiiLgH0Zbb0mzHXXZ
49
48
  purviewcli/client/retry_handler.py,sha256=eMxtDTUYsa4_BgAsnE1MPjitnYqCQddNKwnNTTk1w6Q,3960
50
49
  purviewcli/client/scanning_operations.py,sha256=qPZGuVVbi1cV1Z-K_WKZ-Up3vlk6O8hGArsljfWpZ_Y,22304
51
50
  purviewcli/client/settings.py,sha256=nYdnYurTZsgv9vcgljnzVxLPtYVl9q6IplqOzi1aRvI,27
52
- purviewcli/client/sync_client.py,sha256=IEuQVEud7bpBCwqfmAFGIj9c5Q_m2vb9uoK4ugGfa9c,5977
51
+ purviewcli/client/sync_client.py,sha256=caolnq3dwweZiekrqaUAn_OJdlmadJZXu7mOm826kKc,9282
53
52
  purviewcli/plugins/__init__.py,sha256=rpt3OhFt_wSE_o8Ga8AXvw1pqkdBxLmjrhYtE_-LuJo,29
54
53
  purviewcli/plugins/plugin_system.py,sha256=C-_dL4FUj90o1JS7Saxkpov6fz0GIF5PFhZTYwqBkWE,26774
55
- pvw_cli-1.0.6.dist-info/METADATA,sha256=LNBPiYTOSi2u0zYiNFkptV6bfwyVCcYKCkKcaZfVppU,12624
56
- pvw_cli-1.0.6.dist-info/WHEEL,sha256=tZoeGjtWxWRfdplE7E3d45VPlLNQnvbKiYnx7gwAy8A,92
57
- pvw_cli-1.0.6.dist-info/entry_points.txt,sha256=VI6AAbc6sWahOCX7sn_lhJIr9OiJM0pHF7rmw1YVGlE,82
58
- pvw_cli-1.0.6.dist-info/top_level.txt,sha256=LrADzPoKwF1xY0pGKpWauyOVruHCIWKCkT7cwIl6IuI,11
59
- pvw_cli-1.0.6.dist-info/RECORD,,
54
+ pvw_cli-1.0.8.dist-info/METADATA,sha256=rX04T3mIqbQFgamZ_g6aHPDyBRDJTheKYkxUu7000oQ,14892
55
+ pvw_cli-1.0.8.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
56
+ pvw_cli-1.0.8.dist-info/entry_points.txt,sha256=VI6AAbc6sWahOCX7sn_lhJIr9OiJM0pHF7rmw1YVGlE,82
57
+ pvw_cli-1.0.8.dist-info/top_level.txt,sha256=LrADzPoKwF1xY0pGKpWauyOVruHCIWKCkT7cwIl6IuI,11
58
+ pvw_cli-1.0.8.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: bdist_wheel (0.45.1)
2
+ Generator: setuptools (80.9.0)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any
5
5