A Python SDK for the Spotify Web API.
Full documentation is available at spotify-sdk.dev.
Note
This is an independent, community-developed library and is not affiliated with or endorsed by Spotify.
- Type-safe: Full type hints with Pydantic models for all API responses
- Sync and async: Dedicated
SpotifyClientandAsyncSpotifyClientclasses - Automatic retries: Exponential backoff with jitter for rate limits and transient errors
- Context managers: Clean resource management with
withandasync withsupport
pip install spotify-sdkOr with uv:
uv add spotify-sdk- Python 3.10+
Python version support follows the official Python release cycle. We support all versions that have not reached end-of-life.
To use the SDK, you'll need credentials from the Spotify Developer Dashboard. The SDK supports:
- Access token authentication
- Client credentials flow (auto-refreshes tokens)
- Authorization code flow with refresh tokens
# Access token
client = SpotifyClient(access_token="your-access-token")
# Client credentials
client = SpotifyClient.from_client_credentials(
client_id="your-client-id",
client_secret="your-client-secret",
)# Authorization code (user-scoped endpoints)
from spotify_sdk.auth import AuthorizationCode, FileTokenCache
auth = AuthorizationCode(
client_id="your-client-id",
client_secret="your-client-secret",
redirect_uri="http://127.0.0.1:8080/callback",
scope=["user-read-private"],
token_cache=FileTokenCache(".cache/spotify-sdk/token.json"),
)
# Local helper: opens browser and captures the callback automatically
auth.authorize_local()
client = SpotifyClient(auth_provider=auth)from spotify_sdk import SpotifyClient
client = SpotifyClient(access_token="your-access-token")
# Get an album
album = client.albums.get("5K79FLRUCSysQnVESLcTdb")
print(f"{album.name} by {album.artists[0].name}")
# DeBÍ TiRAR MáS FOToS by Bad Bunny
# Get album tracks
tracks = client.albums.get_tracks(album.id)
for track in tracks.items:
print(f"{track.track_number}. {track.name}")
# Close the underlying HTTP connection when done
client.close()from spotify_sdk import SpotifyClient
with SpotifyClient(access_token="your-access-token") as client:
album = client.albums.get("4aawyAB9vmqN3uQ7FjRGTy")
print(album.name)import asyncio
from spotify_sdk import AsyncSpotifyClient
async def main():
async with AsyncSpotifyClient(access_token="your-access-token") as client:
album = await client.albums.get("4Uv86qWpGTxf7fU7lG5X6F")
print(f"{album.name} by {album.artists[0].name}")
# The College Dropout by Kanye West
asyncio.run(main())| Service | Access | Key Methods |
|---|---|---|
| Albums | client.albums |
get, get_tracks, get_saved |
| Artists | client.artists |
get, get_albums |
| Audiobooks | client.audiobooks |
get, get_chapters, get_saved |
| Chapters | client.chapters |
get |
| Episodes | client.episodes |
get, get_saved |
| Library | client.library |
save_items, remove_items, check_contains |
| Player | client.player |
get_playback_state, start_playback, pause_playback, skip_to_next, add_to_queue, and more |
| Playlists | client.playlists |
get, get_items, create, add_items, remove_items, and more |
| Search | client.search |
search |
| Shows | client.shows |
get, get_episodes, get_saved |
| Tracks | client.tracks |
get, get_saved |
| Users | client.users |
get_current_profile, get_top_artists, get_top_tracks, get_followed_artists |
See the full documentation for detailed method signatures and examples.
The SDK raises specific exceptions for different error types:
from spotify_sdk import (
SpotifyClient,
AuthenticationError,
BadRequestError,
ForbiddenError,
NotFoundError,
RateLimitError,
ServerError,
)
try:
album = client.albums.get("invalid_id")
except NotFoundError as e:
print(f"Album not found: {e.message}")
except AuthenticationError as e:
print(f"Invalid token: {e.message}")
except RateLimitError as e:
print(f"Rate limited. Retry after {e.retry_after} seconds")
except ServerError as e:
print(f"Spotify server error: {e.message}")| Exception | HTTP Status | Description |
|---|---|---|
SpotifyError |
- | Base exception for all SDK errors |
AuthenticationError |
401 | Invalid or expired access token |
BadRequestError |
400 | Invalid request parameters |
ForbiddenError |
403 | Insufficient permissions |
NotFoundError |
404 | Resource not found |
RateLimitError |
429 | Rate limit exceeded |
ServerError |
5xx | Spotify server error |
client = SpotifyClient(
access_token="your-access-token",
timeout=30.0, # Request timeout in seconds (default: 30.0)
max_retries=3, # Maximum retry attempts (default: 3)
)The SDK automatically retries requests on:
- Connection errors and timeouts
- Rate limit responses (429) - respects
Retry-Afterheader - Server errors (5xx)
Retries use exponential backoff with jitter:
- Initial delay: 0.5 seconds
- Maximum delay: 8.0 seconds
- Multiplier: 2x per retry
All API responses are returned as Pydantic models with full type hints:
album = client.albums.get("<id>")
# Access typed attributes
print(album.name) # str
print(album.release_date) # str
print(album.total_tracks) # int
print(album.artists) # list[SimplifiedArtist]
print(album.images) # list[Image]
# Models support forward compatibility
# Unknown fields from the API are preservedClone the repository:
git clone https://github.com/jonathan343/spotify-sdk.git
cd spotify-sdkInstall dependencies with uv:
uv syncRun tests:
uv run pytestRun linting:
uv run ruff check .
uv run ruff format --check --preview .The SDK uses an async-first architecture. Async code under src/spotify_sdk/_async/ is the source of truth, and the sync code under src/spotify_sdk/_sync/ is auto-generated using unasync. Do not edit _sync/ files directly.
After making changes to _async/ source or tests/_async/, regenerate the sync code:
uv run python scripts/run_unasync.pyTo verify sync code is up to date (same check that runs in CI):
uv run python scripts/run_unasync.py --checkThis project is licensed under the Apache License 2.0 - see the LICENSE file for details.