python3 base API client for shopware6
Project description
lib_shopware6_api_base
A Python base API client for Shopware 6, supporting Windows, Linux, and macOS. Supports all OAuth2 authentication methods for both Admin API and Storefront API. Paginated requests are fully supported.
This is the base abstraction layer. For higher-level functions, see lib_shopware6_api.
Python 3.10+ required.
v3.0.0 (2026-02-03) - complete overhaul
Breaking Changes:
- Migrated from
attrstoPydanticfor all data models (Criteria, Filters, Aggregations, Sorting) - Migrated HTTP client from
requests/requests-oauthlibtohttpx/authlib - Migrated OAuth2 from
oauthlibtoauthlib(OAuth 2.1 compliant) - Minimum Python version raised to 3.10+
- Filter/Criteria classes now require keyword arguments:
EqualsFilter(field="x", value=1)instead ofEqualsFilter("x", 1) - Environment variables use
SHOPWARE_prefix to avoid collision with system variables (e.g., WindowsUSERNAME).
New Features:
load_config_from_env()andrequire_config_from_env()for .env file loadingConfigurationErrorexception for configuration issuesExitCodeenum for CLI exit codes- HTTP/2 support via httpx
- ~20-30% performance improvement from httpx
Table of Contents
- Configuration
- API Clients
- Request Methods
- Query Syntax (Criteria)
- CLI Usage
- Installation
- Requirements
- Changelog
- License
Configuration
Configuration is managed via the ConfShopware6ApiBase class (Pydantic-based) which can load settings from:
- Environment variables
- A
.envfile - Direct instantiation
Environment File (.env)
Copy example.env to .env and adjust values for your shop:
# API Endpoints
SHOPWARE_ADMIN_API_URL="https://shop.example.com/api"
SHOPWARE_STOREFRONT_API_URL="https://shop.example.com/store-api"
# OAuth2 Security (set to "1" only for local HTTP development)
SHOPWARE_INSECURE_TRANSPORT="0"
# User Credentials Grant (for interactive apps with refresh tokens)
SHOPWARE_USERNAME="admin@example.com"
SHOPWARE_PASSWORD="your-password"
# Resource Owner Grant (for automation/CLI - no refresh tokens)
SHOPWARE_CLIENT_ID="SWIAXXXXXXXXXXXXXXXXXXXX"
SHOPWARE_CLIENT_SECRET="your-integration-secret"
# Grant type: USER_CREDENTIALS or RESOURCE_OWNER
SHOPWARE_GRANT_TYPE="RESOURCE_OWNER"
# Storefront API access key (from Sales Channel settings)
SHOPWARE_STORE_API_SW_ACCESS_KEY="SWSCXXXXXXXXXXXXXXXXXX"
.env Settings Reference
All environment variables use the SHOPWARE_ prefix to avoid collision with system variables.
| Variable | Description | Example |
|---|---|---|
SHOPWARE_ADMIN_API_URL |
Admin API endpoint | https://shop.example.com/api |
SHOPWARE_STOREFRONT_API_URL |
Storefront API endpoint | https://shop.example.com/store-api |
SHOPWARE_INSECURE_TRANSPORT |
Allow HTTP (dev only) | 0 (production) or 1 (dev) |
SHOPWARE_USERNAME |
Admin user email | admin@example.com |
SHOPWARE_PASSWORD |
Admin user password | secret |
SHOPWARE_CLIENT_ID |
Integration Access ID | SWIA... |
SHOPWARE_CLIENT_SECRET |
Integration Secret | ... |
SHOPWARE_GRANT_TYPE |
Auth method | USER_CREDENTIALS or RESOURCE_OWNER |
SHOPWARE_STORE_API_SW_ACCESS_KEY |
Storefront access key | SWSC... |
Loading Configuration
from lib_shopware6_api_base import (
ConfShopware6ApiBase,
load_config_from_env,
require_config_from_env,
Shopware6AdminAPIClientBase,
)
# Option 1: Auto-find .env in current or parent directories
config = load_config_from_env()
# Option 2: Require .env file (raises ConfigurationError if not found)
config = require_config_from_env()
# Option 3: Load from specific file
config = load_config_from_env("/path/to/my.env")
# Option 4: Direct instantiation
config = ConfShopware6ApiBase(
shopware_admin_api_url="https://shop.example.com/api",
username="admin",
password="secret",
)
# Use the config
client = Shopware6AdminAPIClientBase(config=config)
API Clients
Admin API
from lib_shopware6_api_base import Shopware6AdminAPIClientBase, Criteria
client = Shopware6AdminAPIClientBase(config=config)
# GET request
response = client.request_get("currency")
# GET with pagination (fetches all records in chunks)
response = client.request_get_paginated("product", junk_size=100)
# POST request (search)
criteria = Criteria(limit=10)
response = client.request_post("search/product", payload=criteria)
# POST with pagination
response = client.request_post_paginated("search/order", payload=criteria, junk_size=50)
# PATCH request (update)
client.request_patch("product/abc123", payload={"name": "New Name"})
# PUT request (upsert)
client.request_put("tag/xyz789", payload={"id": "xyz789", "name": "My Tag"})
# DELETE request
client.request_delete("tag/xyz789")
Storefront API
from lib_shopware6_api_base import Shopware6StoreFrontClientBase, Criteria
client = Shopware6StoreFrontClientBase(config=config)
# GET request (returns dict)
response = client.request_get("context")
# GET request (returns list)
currencies = client.request_get_list("currency")
# POST request with criteria
criteria = Criteria(limit=5)
products = client.request_post("product", payload=criteria)
Request Methods
All request methods accept these parameters:
| Parameter | Type | Description |
|---|---|---|
request_url |
str |
API endpoint (without base URL) |
payload |
dict | Criteria | None |
Request body |
update_header_fields |
dict[str, str] | None |
Custom headers |
Admin API methods also support:
| Parameter | Type | Description |
|---|---|---|
content_type |
str |
Content type (json, octet-stream) |
additional_query_params |
dict |
URL query parameters |
Custom Headers
For bulk operations, use predefined header constants:
from lib_shopware6_api_base import (
HEADER_write_in_single_transactions, # {"single-operation": "true"}
HEADER_write_in_separate_transactions, # {"single-operation": "false"}
HEADER_index_synchronously, # {"indexing-behavior": "null"}
HEADER_index_asynchronously, # {"indexing-behavior": "use-queue-indexing"}
HEADER_index_disabled, # {"indexing-behavior": "disable-indexing"}
HEADER_fail_on_error, # {"fail-on-error": "true"}
HEADER_do_not_fail_on_error, # {"fail-on-error": "false"}
)
# Combine headers
headers = HEADER_write_in_single_transactions | HEADER_index_asynchronously
client.request_post("_action/sync", payload=data, update_header_fields=headers)
Query Syntax (Criteria)
The Criteria class (Pydantic model) mirrors Shopware's DAL query syntax:
from lib_shopware6_api_base import Criteria, EqualsFilter, AscFieldSorting
criteria = Criteria(
limit=10,
page=1,
filter=[EqualsFilter(field="active", value=True)],
sort=[AscFieldSorting(field="name")],
)
Filters
from lib_shopware6_api_base import (
EqualsFilter,
EqualsAnyFilter,
ContainsFilter,
RangeFilter,
PrefixFilter,
SuffixFilter,
NotFilter,
MultiFilter,
FilterOperator,
RangeParam,
)
# Exact match
EqualsFilter(field="stock", value=10)
# Match any of values
EqualsAnyFilter(field="id", value=["abc", "def"])
# LIKE '%value%'
ContainsFilter(field="name", value="Bronze")
# LIKE 'value%'
PrefixFilter(field="name", value="Pro")
# LIKE '%value'
SuffixFilter(field="sku", value="-XL")
# Range filter
RangeFilter(field="price", parameters={RangeParam.GTE: 10, RangeParam.LTE: 100})
# Or with strings: parameters={"gte": 10, "lte": 100}
# NOT filter
NotFilter(operator="or", queries=[
EqualsFilter(field="stock", value=0),
EqualsFilter(field="active", value=False),
])
# Multi filter (combine with AND/OR)
MultiFilter(operator="and", queries=[
EqualsFilter(field="active", value=True),
ContainsFilter(field="name", value="Premium"),
])
Sorting
from lib_shopware6_api_base import FieldSorting, AscFieldSorting, DescFieldSorting
# Generic sorting
FieldSorting(field="name", order="ASC", naturalSorting=True)
# Shorthand ascending
AscFieldSorting(field="name", naturalSorting=True)
# Shorthand descending
DescFieldSorting(field="price")
Aggregations
from lib_shopware6_api_base import (
AvgAggregation,
CountAggregation,
MaxAggregation,
MinAggregation,
SumAggregation,
StatsAggregation,
TermsAggregation,
FilterAggregation,
EntityAggregation,
DateHistogramAggregation,
)
criteria = Criteria(
aggregations=[
AvgAggregation(name="avg-price", field="price"),
TermsAggregation(name="manufacturers", field="manufacturerId", limit=10),
FilterAggregation(
name="active-avg",
filter=[EqualsFilter(field="active", value=True)],
aggregation=AvgAggregation(name="price", field="price"),
),
]
)
Associations
Load related entities:
criteria = Criteria()
criteria.associations["manufacturer"] = Criteria()
criteria.associations["categories"] = Criteria(limit=5)
Error Handling
The library provides specific exception classes for different error scenarios:
from lib_shopware6_api_base import (
ShopwareAPIError,
ConfigurationError,
Shopware6AdminAPIClientBase,
load_config_from_env,
)
# Handle configuration errors
try:
config = load_config_from_env("/path/to/missing.env")
except ConfigurationError as e:
print(f"Configuration error: {e}")
# Handle missing or invalid configuration
# Handle API errors
try:
client = Shopware6AdminAPIClientBase(config=config)
response = client.request_get("product/invalid-id")
except ShopwareAPIError as e:
print(f"API error: {e}")
# Handle API errors (404, 401, 500, etc.)
Exception Types
| Exception | When Raised |
|---|---|
ConfigurationError |
Missing .env file, invalid configuration values |
ShopwareAPIError |
HTTP errors from the API (4xx, 5xx responses) |
CLI Usage
Usage: lib_shopware6_api_base [OPTIONS] COMMAND [ARGS]...
Python base API client for Shopware 6
Options:
--version Show version and exit
--traceback / --no-traceback Show traceback on errors
-h, --help Show this message and exit
Commands:
info Show program information
Installation
Via uv (recommended)
# One-shot run
uvx lib_shopware6_api_base --help
# Install as CLI tool
uv tool install lib_shopware6_api_base
# Install as dependency
uv pip install lib_shopware6_api_base
Via pip
pip install lib_shopware6_api_base
Requirements
Automatically installed dependencies:
pydantic>=2.0.0- Data validationpydantic-settings>=2.0.0- Settings managementhttpx>=0.28- HTTP clientauthlib>=1.6- OAuth2 authenticationrich-click- CLI formattingorjson- Fast JSON serializationlib_cli_exit_tools>=2.2.4- CLI utilities
License
Contributing
See CONTRIBUTING.md for guidelines.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file lib_shopware6_api_base-3.0.0.tar.gz.
File metadata
- Download URL: lib_shopware6_api_base-3.0.0.tar.gz
- Upload date:
- Size: 130.5 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
b2d78ec319fd52e158350c66c25d862bd300c5289f3fd8273646d4dd90ba5ed5
|
|
| MD5 |
9554930b97732844559b5a0b59166177
|
|
| BLAKE2b-256 |
0345e9e6b3842bd240442cf03282608af7e464be5a2b350b67490325c1b8b4c6
|
File details
Details for the file lib_shopware6_api_base-3.0.0-py3-none-any.whl.
File metadata
- Download URL: lib_shopware6_api_base-3.0.0-py3-none-any.whl
- Upload date:
- Size: 40.6 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
12a4ba7a51e6589529952b5b7823235b974c0f4c08be77bdcb3765f943d0c900
|
|
| MD5 |
d957abfa074195b8f53cef55a127118e
|
|
| BLAKE2b-256 |
f0166e96b49b11fcfec6586193ac95684d613be690952510b66b30943901be65
|