Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Improve error message when SDK is used and not initialized #114

Merged
merged 7 commits into from
Feb 27, 2025
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
14 changes: 11 additions & 3 deletions cdp/cdp.py
Original file line number Diff line number Diff line change
Expand Up @@ -5,7 +5,7 @@
from cdp.api_clients import ApiClients
from cdp.cdp_api_client import CdpApiClient
from cdp.constants import SDK_DEFAULT_SOURCE
from cdp.errors import InvalidConfigurationError
from cdp.errors import InvalidConfigurationError, UninitializedSDKError


class Cdp:
Expand All @@ -18,7 +18,7 @@ class Cdp:
debugging (bool): Whether debugging is enabled.
base_path (str): The base URL for the Platform API.
max_network_retries (int): The maximum number of network retries.
api_clients (Optional[ApiClients]): The Platform API clients instance.
api_clients: The Platform API clients instance.

"""

Expand All @@ -30,7 +30,15 @@ class Cdp:
debugging = False
base_path = "https://api.cdp.coinbase.com/platform"
max_network_retries = 3
api_clients: ApiClients | None = None

class ApiClientsWrapper:
"""Wrapper that raises a helpful error when SDK is not initialized."""

def __getattr__(self, _name):
"""Raise an error when accessing an attribute of the ApiClientsWrapper."""
raise UninitializedSDKError()

api_clients = ApiClientsWrapper()

def __new__(cls):
"""Create or return the singleton instance of the Cdp class.
Expand Down
13 changes: 13 additions & 0 deletions cdp/errors.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,19 @@
from cdp.client.exceptions import ApiException


class UninitializedSDKError(Exception):
"""Exception raised when trying to access CDP API clients before SDK initialization."""

def __init__(self):
message = (
"Coinbase SDK has not been initialized. Please initialize by calling either:\n\n"
+ "- Cdp.configure(api_key_name='...', private_key='...')\n"
"- Cdp.configure_from_json(file_path='/path/to/api_keys.json')\n\n"
"If needed, register for API keys at https://portal.cdp.coinbase.com/ or view the docs at https://docs.cdp.coinbase.com/wallet-api/docs/welcome"
)
super().__init__(message)


class ApiError(Exception):
"""A wrapper for API exceptions to provide more context."""

Expand Down
22 changes: 22 additions & 0 deletions tests/conftest.py
Original file line number Diff line number Diff line change
@@ -1,4 +1,26 @@
import os
from unittest.mock import MagicMock

import pytest

from cdp import Cdp
from cdp.api_clients import ApiClients


@pytest.fixture(autouse=True)
def initialize_cdp(request):
"""Initialize the CDP SDK with mock API clients before each test."""
# Skip this fixture for e2e tests
if request.node.get_closest_marker("e2e"):
yield
return

original_api_clients = Cdp.api_clients
mock_api_clients = MagicMock(spec=ApiClients)
Cdp.api_clients = mock_api_clients
yield
Cdp.api_clients = original_api_clients


factory_modules = [
f[:-3] for f in os.listdir("./tests/factories") if f.endswith(".py") and f != "__init__.py"
Expand Down
4 changes: 3 additions & 1 deletion tests/factories/api_key_factory.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ def dummy_key_factory():
- "ed25519-32": Returns a base64-encoded 32-byte Ed25519 private key.
- "ed25519-64": Returns a base64-encoded 64-byte dummy Ed25519 key (the first 32 bytes will be used).
"""

def _create_dummy(key_type: str = "ecdsa") -> str:
if key_type == "ecdsa":
return (
Expand All @@ -25,9 +26,10 @@ def _create_dummy(key_type: str = "ecdsa") -> str:
return "BXyKC+eFINc/6ztE/3neSaPGgeiU9aDRpaDnAbaA/vyTrUNgtuh/1oX6Vp+OEObV3SLWF+OkF2EQNPtpl0pbfA=="
elif key_type == "ed25519-64":
# Create a 64-byte dummy by concatenating a 32-byte sequence with itself.
dummy_32 = b'\x01' * 32
dummy_32 = b"\x01" * 32
dummy_64 = dummy_32 + dummy_32
return base64.b64encode(dummy_64).decode("utf-8")
else:
raise ValueError("Unsupported key type for dummy key creation")

return _create_dummy
3 changes: 3 additions & 0 deletions tests/test_api_key_utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -10,18 +10,21 @@ def test_parse_private_key_pem_ec(dummy_key_factory):
parsed_key = _parse_private_key(dummy_key)
assert isinstance(parsed_key, ec.EllipticCurvePrivateKey)


def test_parse_private_key_ed25519_32(dummy_key_factory):
"""Test that a base64-encoded 32-byte Ed25519 key is parsed correctly using a dummy key from the factory."""
dummy_key = dummy_key_factory("ed25519-32")
parsed_key = _parse_private_key(dummy_key)
assert isinstance(parsed_key, ed25519.Ed25519PrivateKey)


def test_parse_private_key_ed25519_64(dummy_key_factory):
"""Test that a base64-encoded 64-byte input is parsed correctly by taking the first 32 bytes using a dummy key from the factory."""
dummy_key = dummy_key_factory("ed25519-64")
parsed_key = _parse_private_key(dummy_key)
assert isinstance(parsed_key, ed25519.Ed25519PrivateKey)


def test_parse_private_key_invalid():
"""Test that an invalid key string raises a ValueError."""
with pytest.raises(ValueError, match="Could not parse the private key"):
Expand Down
16 changes: 16 additions & 0 deletions tests/test_cdp.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,16 @@
import pytest

from cdp import Cdp
from cdp.errors import UninitializedSDKError


def test_uninitialized_error():
"""Test that direct access to API clients raises UninitializedSDKError."""
Cdp.api_clients = Cdp.ApiClientsWrapper()

with pytest.raises(UninitializedSDKError) as excinfo:
_ = Cdp.api_clients.wallets

assert "Coinbase SDK has not been initialized" in str(excinfo.value)
assert "Cdp.configure(api_key_name=" in str(excinfo.value)
assert "Cdp.configure_from_json(file_path=" in str(excinfo.value)