qbraid-cli 0.8.0.dev1__py3-none-any.whl → 0.8.0.dev3__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 qbraid-cli might be problematic. Click here for more details.

@@ -1,3 +1,6 @@
1
+ # Copyright (c) 2024, qBraid Development Team
2
+ # All rights reserved.
3
+
1
4
  """
2
5
  Module supporting 'qbraid jobs enable/disable braket' and commands.
3
6
 
@@ -11,6 +14,12 @@ from pathlib import Path
11
14
  from typing import Optional, Tuple
12
15
 
13
16
  import typer
17
+ from qbraid_core.system import (
18
+ QbraidSystemError,
19
+ get_active_site_packages_path,
20
+ get_latest_package_version,
21
+ get_local_package_version,
22
+ )
14
23
 
15
24
  from qbraid_cli.exceptions import QbraidException
16
25
  from qbraid_cli.handlers import handle_error, handle_filesystem_operation, run_progress_task
@@ -33,22 +42,16 @@ def get_package_data(package: str) -> Tuple[str, str, str]:
33
42
  QbraidException: If package version or location data cannot be retrieved.
34
43
 
35
44
  """
36
- from qbraid.api.system import (
37
- get_active_site_packages_path,
38
- get_latest_package_version,
39
- get_local_package_version,
40
- )
41
- from qbraid.exceptions import QbraidError
42
45
 
43
46
  try:
44
47
  installed_version = get_local_package_version(package)
45
48
  latest_version = get_latest_package_version(package)
46
- except QbraidError as err:
49
+ except QbraidSystemError as err:
47
50
  raise QbraidException("Failed to retrieve package version information") from err
48
51
 
49
52
  try:
50
53
  site_packages_path = get_active_site_packages_path()
51
- except QbraidError as err:
54
+ except QbraidSystemError as err:
52
55
  raise QbraidException("Failed to retrieve site-package location") from err
53
56
 
54
57
  return installed_version, latest_version, site_packages_path
@@ -70,9 +73,6 @@ def confirm_updates(
70
73
  installed_version (optional, str): The installed version of the target package.
71
74
  latest_version (optional, str): The latest version of the target package available on PyPI.
72
75
 
73
- Returns:
74
- None
75
-
76
76
  Raises:
77
77
  ValueError: If an invalid mode is provided.
78
78
  typer.Exit: If the user declines to proceed with enabling or disabling qBraid Quantum Jobs.
@@ -154,14 +154,16 @@ def aws_configure_dummy() -> None:
154
154
  handle_error(message="Failed to configure qBraid quantum jobs.")
155
155
 
156
156
 
157
- def enable_braket():
157
+ def enable_braket(auto_confirm: bool = False):
158
158
  """Enable qBraid quantum jobs for Amazon Braket."""
159
- installed_version, latest_version, site_packages_path = run_progress_task(
159
+ installed, latest, path = run_progress_task(
160
160
  get_package_data, "boto3", description="Solving environment..."
161
161
  )
162
- confirm_updates("enable", site_packages_path, installed_version, latest_version)
163
- aws_configure_dummy() # TODO: possibly add another confirmation for writing aws config files
164
162
 
163
+ if not auto_confirm:
164
+ confirm_updates("enable", path, installed_version=installed, latest_version=latest)
165
+
166
+ aws_configure_dummy() # TODO: possibly add another confirmation for writing aws config files
165
167
  try:
166
168
  subprocess.check_call([sys.executable, "-m", "pip", "install", "--upgrade", "boto3"])
167
169
  subprocess.check_call(
@@ -174,19 +176,19 @@ def enable_braket():
174
176
  handle_error(message="Failed to enable qBraid quantum jobs.")
175
177
 
176
178
  typer.secho("\nSuccessfully enabled qBraid quantum jobs.", fg=typer.colors.GREEN, bold=True)
177
- typer.secho(
178
- "\nTo disable, run: `qbraid jobs disable braket`\n", fg=typer.colors.GREEN, bold=True
179
- )
179
+ typer.secho("\nTo disable, run: \n\n\t$ qbraid jobs disable braket\n")
180
180
 
181
181
 
182
- def disable_braket():
182
+ def disable_braket(auto_confirm: bool = False):
183
183
  """Disable qBraid quantum jobs for Amazon Braket."""
184
184
  package = "botocore"
185
- installed_version, latest_version, site_packages_path = run_progress_task(
185
+ installed, latest, path = run_progress_task(
186
186
  get_package_data, package, description="Solving environment..."
187
187
  )
188
- package = f"{package}~={installed_version}" if installed_version < latest_version else package
189
- confirm_updates("disable", site_packages_path)
188
+ package = f"{package}~={installed}" if installed < latest else package
189
+
190
+ if not auto_confirm:
191
+ confirm_updates("disable", path)
190
192
 
191
193
  try:
192
194
  subprocess.check_call(
@@ -204,4 +206,4 @@ def disable_braket():
204
206
  handle_error(message="Failed to disable qBraid quantum jobs.")
205
207
 
206
208
  typer.secho("\nSuccessfully disabled qBraid quantum jobs.", fg=typer.colors.GREEN, bold=True)
207
- typer.secho("\nTo enable, run: `qbraid jobs enable braket`\n", fg=typer.colors.GREEN, bold=True)
209
+ typer.secho("\nTo enable, run: \n\n\t$ qbraid jobs enable braket\n")
@@ -0,0 +1,74 @@
1
+ # Copyright (c) 2024, qBraid Development Team
2
+ # All rights reserved.
3
+
4
+ """
5
+ Module for validating command arguments for qBraid Quantum Jobs.
6
+
7
+ """
8
+
9
+ from typing import Callable, Dict, Optional, Tuple
10
+
11
+ import typer
12
+ from qbraid_core.services.quantum.proxy import SUPPORTED_QJOB_LIBS, quantum_lib_proxy_state
13
+ from rich.console import Console
14
+
15
+ from qbraid_cli.handlers import handle_error, run_progress_task, validate_item
16
+
17
+
18
+ def validate_library(value: str) -> str:
19
+ """Validate quantum jobs library."""
20
+ return validate_item(value, SUPPORTED_QJOB_LIBS, "Library")
21
+
22
+
23
+ def get_state(library: Optional[str] = None) -> Dict[str, Tuple[bool, bool]]:
24
+ """Get the state of qBraid Quantum Jobs for the specified library."""
25
+
26
+ state_values = {}
27
+
28
+ if library:
29
+ libraries_to_check = [library]
30
+ else:
31
+ libraries_to_check = SUPPORTED_QJOB_LIBS
32
+
33
+ for lib in libraries_to_check:
34
+ state = quantum_lib_proxy_state(lib)
35
+ state_values[lib] = state["supported"], state["enabled"]
36
+
37
+ return state_values
38
+
39
+
40
+ def run_progress_get_state(library: Optional[str] = None) -> Dict[str, Tuple[bool, bool]]:
41
+ """Run get state function with rich progress UI."""
42
+ return run_progress_task(
43
+ get_state,
44
+ library,
45
+ description="Collecting package metadata...",
46
+ error_message=f"Failed to collect {library} package metadata.",
47
+ )
48
+
49
+
50
+ def handle_jobs_state(
51
+ library: str,
52
+ action: str, # 'enable' or 'disable'
53
+ action_callback: Callable[[], None],
54
+ ) -> None:
55
+ """Handle the common logic for enabling or disabling qBraid Quantum Jobs."""
56
+ state_values: Dict[str, Tuple[bool, bool]] = run_progress_get_state(library)
57
+ installed, enabled = state_values[library]
58
+
59
+ if not installed:
60
+ handle_error(message=f"{library} not installed.")
61
+ if (enabled and action == "enable") or (not enabled and action == "disable"):
62
+ action_color = "green" if enabled else "red"
63
+ console = Console()
64
+ console.print(
65
+ f"\nqBraid quantum jobs already [bold {action_color}]{action}d[/bold {action_color}] "
66
+ f"for [magenta]{library}[/magenta]."
67
+ )
68
+ console.print(
69
+ "To check the state of all quantum jobs libraries in this environment, "
70
+ "use: \n\n\t$ qbraid jobs state\n"
71
+ )
72
+ raise typer.Exit()
73
+
74
+ action_callback() # Perform the specific enable/disable action
@@ -1,6 +1,9 @@
1
+ # Copyright (c) 2024, qBraid Development Team
2
+ # All rights reserved.
3
+
1
4
  """
2
5
  Module defining the qbraid kernels namespace
3
6
 
4
7
  """
5
8
 
6
- from .app import app
9
+ from .app import kernels_app
qbraid_cli/kernels/app.py CHANGED
@@ -1,42 +1,111 @@
1
+ # Copyright (c) 2024, qBraid Development Team
2
+ # All rights reserved.
3
+
1
4
  """
2
5
  Module defining commands in the 'qbraid jobs' namespace.
3
6
 
4
7
  """
8
+ import sys
9
+ from pathlib import Path
5
10
 
6
11
  import typer
12
+ from jupyter_client.kernelspec import KernelSpecManager
13
+ from rich.console import Console
14
+
15
+ from qbraid_cli.envs.data_handling import installed_envs_data
16
+ from qbraid_cli.handlers import handle_error
17
+
18
+ kernels_app = typer.Typer(help="Manage qBraid kernels.")
19
+
20
+
21
+ def _get_kernels_path(environment: str) -> Path:
22
+ """Get the path to the kernels directory for the given environment."""
23
+ slug_to_path, name_to_slug = installed_envs_data()
24
+
25
+ if environment in name_to_slug:
26
+ slug = name_to_slug.get(environment, None)
27
+ else:
28
+ slug = environment
7
29
 
8
- app = typer.Typer(help="Manage qBraid kernels.")
30
+ if slug not in slug_to_path:
31
+ raise ValueError(f"Environment '{environment}' not found.")
9
32
 
33
+ env_path = slug_to_path[slug]
34
+ kernels_path = env_path / "kernels"
35
+ return kernels_path
10
36
 
11
- @app.command(name="list")
37
+
38
+ @kernels_app.command(name="list")
12
39
  def kernels_list():
13
40
  """List all available kernels."""
14
- from jupyter_client.kernelspec import KernelSpecManager
41
+ console = Console()
15
42
 
16
43
  kernel_spec_manager = KernelSpecManager()
17
44
  kernelspecs = kernel_spec_manager.get_all_specs()
18
45
 
19
46
  if len(kernelspecs) == 0:
20
- print("No qBraid kernels active.")
21
- # print("\nUse 'qbraid kernels add' to add a new kernel.")
47
+ console.print("No qBraid kernels are active.")
48
+ console.print("\nUse 'qbraid kernels add' to add a new kernel.")
22
49
  return
23
50
 
24
51
  longest_kernel_name = max(len(kernel_name) for kernel_name in kernelspecs)
25
52
  spacing = longest_kernel_name + 10
26
53
 
27
- print("# qbraid kernels:")
28
- print("#")
29
- print("")
54
+ console.print("# qbraid kernels:\n#\n")
30
55
 
31
56
  # Ensure 'python3' kernel is printed first if it exists
32
- python3_kernel_info = kernelspecs.pop("python3", None)
57
+ default_kernel_name = "python3"
58
+ python3_kernel_info = kernelspecs.pop(default_kernel_name, None)
33
59
  if python3_kernel_info:
34
- print("python3".ljust(spacing) + python3_kernel_info["resource_dir"])
60
+ console.print(f"{default_kernel_name.ljust(spacing)}{python3_kernel_info['resource_dir']}")
35
61
 
36
62
  # Print the rest of the kernels
37
63
  for kernel_name, kernel_info in sorted(kernelspecs.items()):
38
- print(f"{kernel_name.ljust(spacing)}{kernel_info['resource_dir']}")
64
+ console.print(f"{kernel_name.ljust(spacing)}{kernel_info['resource_dir']}")
65
+
66
+
67
+ @kernels_app.command(name="add")
68
+ def kernels_add(
69
+ environment: str = typer.Argument(
70
+ ..., help="Name of environment for which to add ipykernel. Values from 'qbraid envs list'."
71
+ )
72
+ ):
73
+ """Add a kernel."""
74
+
75
+ try:
76
+ kernels_path = _get_kernels_path(environment)
77
+ except ValueError:
78
+ handle_error(message=f"Environment '{environment}' not found.", include_traceback=False)
79
+ return
80
+
81
+ is_local = str(kernels_path).startswith(str(Path.home()))
82
+ resource_path = str(Path.home() / ".local") if is_local else sys.prefix
83
+
84
+ kernel_spec_manager = KernelSpecManager()
85
+
86
+ for kernel in kernels_path.iterdir():
87
+ kernel_spec_manager.install_kernel_spec(source_dir=str(kernel), prefix=resource_path)
88
+
89
+
90
+ @kernels_app.command(name="remove")
91
+ def kernels_remove(
92
+ environment: str = typer.Argument(
93
+ ...,
94
+ help=("Name of environment for which to remove ipykernel. Values from 'qbraid envs list'."),
95
+ )
96
+ ):
97
+ """Remove a kernel."""
98
+ try:
99
+ kernels_path = _get_kernels_path(environment)
100
+ except ValueError:
101
+ handle_error(message=f"Environment '{environment}' not found.", include_traceback=False)
102
+ return
103
+
104
+ kernel_spec_manager = KernelSpecManager()
105
+
106
+ for kernel in kernels_path.iterdir():
107
+ kernel_spec_manager.remove_kernel_spec(kernel.name)
39
108
 
40
109
 
41
110
  if __name__ == "__main__":
42
- app()
111
+ kernels_app()
qbraid_cli/main.py CHANGED
@@ -1,18 +1,22 @@
1
+ # Copyright (c) 2024, qBraid Development Team
2
+ # All rights reserved.
3
+
1
4
  """
2
5
  Entrypoint for the qBraid CLI.
3
6
 
4
7
  """
5
8
 
6
9
  import typer
10
+ import urllib3
7
11
 
8
- from .configure import app as configure_app
9
- from .credits import app as credits_app
10
- from .devices import app as devices_app
11
- from .envs import app as envs_app
12
- from .jobs import app as jobs_app
13
- from .kernels import app as kernels_app
12
+ from qbraid_cli.configure.app import configure_app
13
+ from qbraid_cli.credits.app import credits_app
14
+ from qbraid_cli.devices.app import devices_app
15
+ from qbraid_cli.envs.app import envs_app
16
+ from qbraid_cli.jobs.app import jobs_app
17
+ from qbraid_cli.kernels.app import kernels_app
14
18
 
15
- app = typer.Typer()
19
+ app = typer.Typer(context_settings={"help_option_names": ["-h", "--help"]})
16
20
  app.add_typer(configure_app, name="configure")
17
21
  app.add_typer(envs_app, name="envs")
18
22
  app.add_typer(jobs_app, name="jobs")
@@ -20,6 +24,8 @@ app.add_typer(devices_app, name="devices")
20
24
  app.add_typer(kernels_app, name="kernels")
21
25
  app.add_typer(credits_app, name="credits")
22
26
 
27
+ urllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning)
28
+
23
29
 
24
30
  def version_callback(value: bool):
25
31
  """Show the version and exit."""
@@ -50,7 +56,7 @@ def show_banner():
50
56
  typer.echo("")
51
57
  typer.echo("- Use 'qbraid --version' to see the current version.")
52
58
  typer.echo("")
53
- typer.echo("Reference Docs: https://docs.qbraid.com/projects/cli/en/latest/cli/qbraid.html")
59
+ typer.echo("Reference Docs: https://docs.qbraid.com/projects/cli/en/stable/guide/overview.html")
54
60
 
55
61
 
56
62
  @app.callback(invoke_without_command=True)
@@ -59,6 +65,7 @@ def main(
59
65
  version: bool = typer.Option(
60
66
  None,
61
67
  "--version",
68
+ "-v",
62
69
  callback=version_callback,
63
70
  is_eager=True,
64
71
  help="Show the version and exit.",
@@ -1,19 +1,22 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: qbraid-cli
3
- Version: 0.8.0.dev1
3
+ Version: 0.8.0.dev3
4
4
  Summary: Command Line Interface for interacting with all parts of the qBraid platform.
5
5
  Author-email: qBraid Development Team <contact@qbraid.com>
6
6
  License: Proprietary
7
7
  Project-URL: Homepage, https://www.qbraid.com/
8
- Project-URL: Documentation, https://docs.qbraid.com/projects/cli/en/latest/cli/qbraid.html
8
+ Project-URL: Documentation, https://docs.qbraid.com/projects/cli/en/stable/guide/overview.html
9
9
  Project-URL: Bug Tracker, https://github.com/qBraid/qBraid-Lab/issues
10
10
  Project-URL: Discord, https://discord.gg/KugF6Cnncm
11
11
  Project-URL: Launch on Lab, https://account.qbraid.com/?gitHubUrl=https://github.com/qBraid/qBraid-Lab.git
12
12
  Keywords: qbraid,cli,quantum,cloud
13
13
  Classifier: Development Status :: 5 - Production/Stable
14
14
  Classifier: Intended Audience :: Developers
15
- Classifier: Intended Audience :: System Administrators
16
15
  Classifier: Natural Language :: English
16
+ Classifier: License :: Other/Proprietary License
17
+ Classifier: Intended Audience :: System Administrators
18
+ Classifier: Operating System :: Microsoft :: Windows
19
+ Classifier: Operating System :: POSIX :: Linux
17
20
  Classifier: Programming Language :: Python
18
21
  Classifier: Programming Language :: Python :: 3
19
22
  Classifier: Programming Language :: Python :: 3 :: Only
@@ -23,11 +26,10 @@ Classifier: Programming Language :: Python :: 3.11
23
26
  Classifier: Programming Language :: Python :: 3.12
24
27
  Requires-Python: >=3.9
25
28
  Description-Content-Type: text/markdown
26
- Requires-Dist: typer[all]
27
- Requires-Dist: rich
28
- Requires-Dist: requests
29
- Requires-Dist: jupyter-client
30
- Requires-Dist: qbraid ==0.5.1
29
+ Requires-Dist: typer >=0.12.1
30
+ Requires-Dist: rich >=10.11.0
31
+ Requires-Dist: jupyter-client <9.0.0,>=7.0.0
32
+ Requires-Dist: qbraid-core >=0.1.1
31
33
  Provides-Extra: dev
32
34
  Requires-Dist: black ; extra == 'dev'
33
35
  Requires-Dist: isort ; extra == 'dev'
@@ -46,6 +48,8 @@ Requires-Dist: amazon-braket-sdk >=1.48.1 ; extra == 'jobs'
46
48
 
47
49
  [![Documentation](https://img.shields.io/badge/Documentation-DF0982)](https://docs.qbraid.com/projects/cli/en/stable/guide/overview.html)
48
50
  [![PyPI version](https://img.shields.io/pypi/v/qbraid-cli.svg?color=blue)](https://pypi.org/project/qbraid-cli/)
51
+ [![Python verions](https://img.shields.io/pypi/pyversions/qbraid-cli.svg?color=blue)](https://pypi.org/project/qbraid-cli/)
52
+ [![Downloads](https://static.pepy.tech/badge/qbraid-cli)](https://pepy.tech/project/qbraid-cli)
49
53
  [![GitHub](https://img.shields.io/badge/issue_tracking-github-blue?logo=github)](https://github.com/qBraid/qBraid-Lab/issues)
50
54
  [![Discord](https://img.shields.io/discord/771898982564626445.svg?color=pink)](https://discord.gg/KugF6Cnncm)
51
55
 
@@ -82,7 +86,7 @@ $ qbraid
82
86
 
83
87
  - Use 'qbraid --version' to see the current version.
84
88
 
85
- Reference Docs: https://docs.qbraid.com/projects/cli/en/latest/cli/qbraid.html
89
+ Reference Docs: https://docs.qbraid.com/projects/cli/en/stable/guide/overview.html
86
90
  ```
87
91
 
88
92
  A qBraid CLI command has the following structure:
@@ -0,0 +1,29 @@
1
+ qbraid_cli/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
2
+ qbraid_cli/_version.py,sha256=gmvID9vFrR93SKxjTAMGcHF8k0zAbpA7V0aBbjfr5jw,424
3
+ qbraid_cli/exceptions.py,sha256=KjlhYJhSHMVazaNiBjD_Ur06w4sekP8zRsFzBdyIpno,672
4
+ qbraid_cli/handlers.py,sha256=rGxHrwrPHvwP3CKVlJSCZ_KkgGvFlLXd3SsxcC4LqS0,6306
5
+ qbraid_cli/main.py,sha256=ko3c8fkzwcNlNb0AFLFgwlSoOOC4DJgeHlRuHbz-dyw,2504
6
+ qbraid_cli/configure/__init__.py,sha256=6GU7vR6JYRGcMsmdrpFbwLO5VSUmnLgwSbtmGWMQND4,158
7
+ qbraid_cli/configure/actions.py,sha256=3rrWHaCAsogyx0Ll-lcjbSzldD4kPuz1z6VQiWebSWw,3203
8
+ qbraid_cli/configure/app.py,sha256=vcPu1Npf8sfGtWGQrjDJQG5vCdeUa3nlpEnZMlVLlWM,1615
9
+ qbraid_cli/credits/__init__.py,sha256=t-3XAJFAXiu_jI4sgjaIOuNne_AoSYaSEsi-SSRkvPw,154
10
+ qbraid_cli/credits/app.py,sha256=iHikmjx8pylMFNzHckuauOg-Nb9pS7xQq_H75ibVJig,774
11
+ qbraid_cli/devices/__init__.py,sha256=_PU3eMQRV4DkPw-oCmfCPh8EbVmgG76ieEKuNsY9Xqc,154
12
+ qbraid_cli/devices/app.py,sha256=zxSxrEQn7irkJoME4S_CBnRqWeB8cqPaBsIMfpdYFk0,2530
13
+ qbraid_cli/devices/validation.py,sha256=Zt0mdg4nXHz-7yGP3qH6UwVoF18yrqW_4jdS4kiFKsQ,810
14
+ qbraid_cli/envs/__init__.py,sha256=YgIoMWxfGqzmwfypO5JHYuCOu6BfFwb9NHgQel1IJM8,148
15
+ qbraid_cli/envs/activate.py,sha256=VpvVYSfQDlcmlNWJOgkLIQ2p8YXPPLG8Jbl5t8GHUDw,2140
16
+ qbraid_cli/envs/app.py,sha256=t6bRwJGy-M3PAu870ZsttsM8tpSB0OFasgCJiV9nTSA,8620
17
+ qbraid_cli/envs/create.py,sha256=uCRex_TcFYw26jUOU06Ta5I8Mq5pRqLVaOE6MxrrExs,4337
18
+ qbraid_cli/envs/data_handling.py,sha256=mTVzsj6KleeeYDKGhgD-IesF9KQQMSszKFSEo8Wrv9w,4001
19
+ qbraid_cli/jobs/__init__.py,sha256=bj9XmZ4JL8OtMMZbHIu-DPhpOMXGLSB-W1b0wO7wKro,148
20
+ qbraid_cli/jobs/app.py,sha256=LsyYFh2949-6eCVfdzcY-Nvt4rSN5lNBDZ57j0OBzWE,4870
21
+ qbraid_cli/jobs/toggle_braket.py,sha256=2vCkKcDsQmVYpElHwOI-fQCVbIH-0HBnnDZSfp_bSlk,7553
22
+ qbraid_cli/jobs/validation.py,sha256=6QKkFINk8Jqw1wuwPivbD5HuFTzT1cUT_G2WVqaKcnc,2405
23
+ qbraid_cli/kernels/__init__.py,sha256=VhpBota_v7OoiGxrPCqJU4XBVcolf81mbCYGSxXzVhc,154
24
+ qbraid_cli/kernels/app.py,sha256=ZJWVdKzCDfzGnA1pqp01vDbE7fh8p84jC-y6DDgWlxc,3373
25
+ qbraid_cli-0.8.0.dev3.dist-info/METADATA,sha256=Ud547dThxdfsRnAXTcTy_J2s3xQcLVglP9houT2FNSw,5818
26
+ qbraid_cli-0.8.0.dev3.dist-info/WHEEL,sha256=GJ7t_kWBFywbagK5eo9IoUwLW6oyOeTKmQ-9iHFVNxQ,92
27
+ qbraid_cli-0.8.0.dev3.dist-info/entry_points.txt,sha256=c5ZJ7NjbxhDqMpou9q5F03_b_KG34HzFDijIDmEIwgQ,47
28
+ qbraid_cli-0.8.0.dev3.dist-info/top_level.txt,sha256=LTYJgeYSCHo9Il8vZu0yIPuGdGyNaIw6iRy6BeoZo8o,11
29
+ qbraid_cli-0.8.0.dev3.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: bdist_wheel (0.42.0)
2
+ Generator: bdist_wheel (0.43.0)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any
5
5
 
@@ -1,25 +0,0 @@
1
- qbraid_cli/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
2
- qbraid_cli/_version.py,sha256=6sZFOQBaKgYedl2zgTJuRZS8q9esXcZKau0qZ-85DIs,424
3
- qbraid_cli/exceptions.py,sha256=DBYxsO5rywFdjy-S_46gJ9B91H3hw4SLpR6kXr2wG58,602
4
- qbraid_cli/handlers.py,sha256=_d3hwv8TuFueq6-gjNLK1-avup9v6X67MTNMpiLxucQ,6236
5
- qbraid_cli/main.py,sha256=njcwwgOAT3-hmb2M8XiyodHG1GlIjbzEbrRC7PdF_rE,2234
6
- qbraid_cli/configure/__init__.py,sha256=YhkIlsmZl0j1cIV8BMOarfMvZ99iwlTEG08UQoXz3P8,78
7
- qbraid_cli/configure/app.py,sha256=YYScda-LXQyQQKh9Q_GveOIwXAOAAdLYUESQGRTJ_48,4796
8
- qbraid_cli/credits/__init__.py,sha256=0aN2OWG8cobDlLqa_LoM1I6ateOHLJHmFLVqiGNv19c,76
9
- qbraid_cli/credits/app.py,sha256=i6FGzq9KHqykfi5rtHOsDs3Sbx5FzKcEit0gR9ggldQ,737
10
- qbraid_cli/devices/__init__.py,sha256=w7DYe_FQij4bOU01VNV6vH_p-yjtrlfvbP5ctdSLvkE,76
11
- qbraid_cli/devices/app.py,sha256=jhasrMr750G3PnINmqa7jwCwgRSg1-yLvF6b07i_V6w,2125
12
- qbraid_cli/envs/__init__.py,sha256=_w-W4bV-rEmiA0qgYYGeGMupd7lDVwvkjebubk7dmsw,73
13
- qbraid_cli/envs/activate.py,sha256=50w_RLS8H2-RXv9mzv-bRU6CfwsKOuGlXBZsLwbTOV4,1929
14
- qbraid_cli/envs/app.py,sha256=DsDYTWHeKAmv2Q-W99r96yv695Dp7gkXo8_gCd4ky6s,11989
15
- qbraid_cli/envs/create.py,sha256=BhDZ8b4YzJJAeMd7039FjXtyhoVElOvRZDYmGWggXSs,4267
16
- qbraid_cli/jobs/__init__.py,sha256=W7_dgrI8pLsku1H7KumlHaVURO-ZHnDA7bRuaKV0Qus,73
17
- qbraid_cli/jobs/app.py,sha256=kJ3skTD5dnAbvxIvWqf7UWK7UCD9Bd9OqFisvr3idJI,5099
18
- qbraid_cli/jobs/toggle_braket.py,sha256=2QyWMw0cG15itIWK5G6GBU7GTSfIviBDGe5-5Pc1cyw,7593
19
- qbraid_cli/kernels/__init__.py,sha256=enVNsFCjbXqVppUU6aPmEe3YjfGhWXk4HmXwJbqDYpQ,76
20
- qbraid_cli/kernels/app.py,sha256=zko4Z2Ok-YyFvo7o__P7nNW7VFtlxH9lA2wWn_Nt0YQ,1156
21
- qbraid_cli-0.8.0.dev1.dist-info/METADATA,sha256=pqFzQ-pK-qnS2llxGHVRBLC4X8CAq_q7vvcTH33Q2gw,5431
22
- qbraid_cli-0.8.0.dev1.dist-info/WHEEL,sha256=oiQVh_5PnQM0E3gPdiz09WCNmwiHDMaGer_elqB3coM,92
23
- qbraid_cli-0.8.0.dev1.dist-info/entry_points.txt,sha256=c5ZJ7NjbxhDqMpou9q5F03_b_KG34HzFDijIDmEIwgQ,47
24
- qbraid_cli-0.8.0.dev1.dist-info/top_level.txt,sha256=LTYJgeYSCHo9Il8vZu0yIPuGdGyNaIw6iRy6BeoZo8o,11
25
- qbraid_cli-0.8.0.dev1.dist-info/RECORD,,