Python library for Liebherr Home API
Project description
pyliebherrhomeapi
Python library for the Liebherr SmartDevice Home API.
This library is used by the Liebherr Home Assistant integration.
Features
- 🔌 Async/await support using asyncio with comprehensive error handling
- 🌡️ Temperature control for all zones in your Liebherr appliances
- ❄️ SuperFrost/SuperCool control for quick cooling/freezing
- 🎉 Special modes (Party Mode, Night Mode, Presentation Light)
- 🧊 Ice maker control with Max Ice support
- 💧 HydroBreeze and BioFreshPlus mode management
- 🚪 Auto door control for supported appliances
- 📱 Device management - list and query all connected appliances
- 🛡️ Type hints for better IDE support and development experience
- ✅ Input validation with proper error handling
- 📊 Comprehensive data models for all control types
- 📝 Configurable logging with privacy-focused debug output
- 🧪 100% test coverage ensuring reliability and code quality
Requirements
- Python 3.12+ (matches the typed codebase and test matrix)
- Asyncio environment with
aiohttp(installed automatically) - Network access to
https://home-api.smartdevice.liebherr.com
Installation
-
From PyPI (when published):
pip install pyliebherrhomeapi
-
From source (current repository):
pip install .
Prerequisites
Before using this library, you need:
-
Connect your appliance: Connect your Liebherr appliance via the SmartDevice app to your home WiFi network
-
Get your API Key (via the SmartDevice app):
- Go to Settings in the SmartDevice app
- Select "Beta features"
- Activate the HomeAPI
- Copy the API Key (⚠️ Important: The API key can only be copied once. Once you leave the screen, it cannot be copied again. If you forget your key, you'll need to create a new one via the app)
-
Connected appliances only: Only appliances that are connected to the internet via the SmartDevice app can be accessed through the HomeAPI. Appliances that are only registered but not connected will not appear
Quick Start
import asyncio
from pyliebherrhomeapi import (
LiebherrClient,
TemperatureUnit,
IceMakerMode,
)
async def main():
# Create client with your API key
async with LiebherrClient(api_key="your-api-key-here") as client:
# Get all devices (only connected devices are returned)
devices = await client.get_devices()
print(f"Found {len(devices)} device(s)")
for device in devices:
# device_id is the serial number of the appliance
print(f"Device: {device.nickname} ({device.device_id})")
print(f" Type: {device.device_type}")
print(f" Model: {device.device_name}")
# Get all controls for this device
controls = await client.get_controls(device.device_id)
print(f" Controls: {len(controls)}")
if __name__ == "__main__":
asyncio.run(main())
Important Notes
Device Zones
- Each device has at least one zone (cooling zone, freezing zone, etc.)
- Zone numbering: The top zone is zone 0, zone numbers ascend from top to bottom
- Zone controls (like temperature, SuperFrost, SuperCool) always require a
zone_id - Base controls (like Party Mode, Night Mode) apply to the whole device and don't need a zone
Polling Recommendations
⚠️ Beta Version Notice: The API currently doesn't push updates, so endpoints need to be polled regularly.
Recommended polling intervals:
- Controls: Poll every 30 seconds using
/v1/devices/{deviceId}/controlsto get all states in one call - Device list: Poll manually only when appliances are added/removed or nicknames change
- Rate limits: Be mindful of API call limits. Avoid too many calls at once as there are restrictions for security and performance
Control Types
Base Controls (apply to entire device, no zone_id needed):
- Party Mode
- Night Mode
Zone Controls (require zone_id, even if device has only one zone):
- Temperature
- SuperFrost
- SuperCool
- Ice Maker
- HydroBreeze
- BioFreshPlus
- Auto Door
Usage Examples
Temperature Control
from pyliebherrhomeapi import LiebherrClient, TemperatureUnit
async with LiebherrClient(api_key="your-api-key") as client:
# Set temperature for zone 0 (top zone) to 4°C
await client.set_temperature(
device_id="12.345.678.9",
zone_id=0, # Zone 0 is the top zone
target=4,
unit=TemperatureUnit.CELSIUS
)
# Get temperature control info
controls = await client.get_control(
device_id="12.345.678.9",
control_name="temperature",
zone_id=0
)
SuperCool and SuperFrost
# Enable SuperCool for zone 0
await client.set_super_cool(
device_id="12.345.678.9",
zone_id=0,
value=True
)
# Enable SuperFrost for zone 1
await client.set_super_frost(
device_id="12.345.678.9",
zone_id=1,
value=True
)
Special Modes
# Enable Party Mode
await client.set_party_mode(
device_id="12.345.678.9",
value=True
)
# Enable Night Mode
await client.set_night_mode(
device_id="12.345.678.9",
value=True
)
# Set presentation light intensity (0-5)
await client.set_presentation_light(
device_id="12.345.678.9",
target=3
)
Ice Maker Control
from pyliebherrhomeapi import IceMakerMode
# Turn on ice maker
await client.set_ice_maker(
device_id="12.345.678.9",
zone_id=0,
mode=IceMakerMode.ON
)
# Enable Max Ice mode
await client.set_ice_maker(
device_id="12.345.678.9",
zone_id=0,
mode=IceMakerMode.MAX_ICE
)
HydroBreeze Control
from pyliebherrhomeapi import HydroBreezeMode
# Set HydroBreeze to medium
await client.set_hydro_breeze(
device_id="12.345.678.9",
zone_id=0,
mode=HydroBreezeMode.MEDIUM
)
BioFreshPlus Control
from pyliebherrhomeapi import BioFreshPlusMode
# Set BioFreshPlus mode
await client.set_bio_fresh_plus(
device_id="12.345.678.9",
zone_id=0,
mode=BioFreshPlusMode.ZERO_ZERO
)
Auto Door Control
# Open the door
await client.trigger_auto_door(
device_id="12.345.678.9",
zone_id=0,
value=True # True to open, False to close
)
Query Device Controls
# Get all controls (recommended for polling - gets all states in one call)
all_controls = await client.get_controls(device_id="12.345.678.9")
# Get specific control by name
temp_controls = await client.get_control(
device_id="12.345.678.9",
control_name="temperature"
)
# Get control for specific zone
zone_temp = await client.get_control(
device_id="12.345.678.9",
control_name="temperature",
zone_id=0 # Top zone
)
Efficient Polling Pattern
import asyncio
from pyliebherrhomeapi import LiebherrClient
async def poll_device_state(client: LiebherrClient, device_id: str):
"""Poll device state every 30 seconds (recommended interval)."""
while True:
try:
# Get all controls in a single API call
device_state = await client.get_device_state(device_id)
# Process the controls
for control in device_state.controls:
print(f"{control.name}: {control}")
# Wait 30 seconds before next poll (recommended by Liebherr)
await asyncio.sleep(30)
except Exception as e:
print(f"Error polling device: {e}")
await asyncio.sleep(30)
async def main():
async with LiebherrClient(api_key="your-api-key") as client:
devices = await client.get_devices()
if devices:
await poll_device_state(client, devices[0].device_id)
Logging
The library uses Python's standard logging module for diagnostics. By default, it uses a NullHandler, so no logs are emitted unless you configure logging in your application.
Enable Debug Logging
import logging
# Enable debug logging for the library
logging.basicConfig(
level=logging.DEBUG,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s'
)
# Or configure just for pyliebherrhomeapi
logger = logging.getLogger('pyliebherrhomeapi')
logger.setLevel(logging.DEBUG)
handler = logging.StreamHandler()
handler.setFormatter(logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s'))
logger.addHandler(handler)
Log Levels
- DEBUG: Detailed information about API requests, responses, and session lifecycle
- INFO: General information about operations (currently not used)
- WARNING: HTTP errors and connection issues
- ERROR: Severe errors like server failures
Privacy
Device IDs are automatically masked in debug logs (showing only last 4 characters) to protect sensitive information.
Error Handling
from pyliebherrhomeapi import (
LiebherrClient,
LiebherrAuthenticationError,
LiebherrBadRequestError,
LiebherrNotFoundError,
LiebherrPreconditionFailedError,
LiebherrUnsupportedError,
LiebherrConnectionError,
LiebherrTimeoutError,
)
async with LiebherrClient(api_key="your-api-key") as client:
try:
await client.set_temperature(
device_id="12.345.678.9",
zone_id=0,
target=4
)
except LiebherrAuthenticationError:
print("Invalid API key")
except LiebherrBadRequestError as e:
print(f"Invalid request: {e}")
except LiebherrNotFoundError:
print("Device not reachable")
except LiebherrPreconditionFailedError:
print("Device not onboarded to your household")
except LiebherrUnsupportedError:
print("Feature not supported on this device")
except (LiebherrConnectionError, LiebherrTimeoutError) as e:
print(f"Connection error: {e}")
Development
Setup
# Clone the repository
git clone https://github.com/mettolen/pyliebherrhomeapi.git
cd pyliebherrhomeapi
# Install development dependencies
pip install -e ".[dev]"
Testing
# Run tests
pytest
# Run tests with coverage
pytest --cov=pyliebherrhomeapi --cov-report=html
Code Quality
# Format code
ruff format .
# Lint code
ruff check .
# Type checking
mypy src
API Documentation
For detailed API documentation, visit:
API Base URL: https://home-api.smartdevice.liebherr.com
Implementation Notes
This client library is generated based on the official openapi.json specification downloaded from the Liebherr Developer Portal, which reflects the latest API state. When Liebherr updates their API and releases a new version of the OpenAPI specification, this client library will be updated accordingly to maintain compatibility and support new features.
License
MIT License - see LICENSE file for details.
Contributing
Contributions are welcome! Please see CONTRIBUTING.md for details.
Project details
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 pyliebherrhomeapi-0.4.1.tar.gz.
File metadata
- Download URL: pyliebherrhomeapi-0.4.1.tar.gz
- Upload date:
- Size: 31.2 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
aba907243f5e9738c1eb40c2a7e60fc649ea99c6d6c6e69e98c7dce849742032
|
|
| MD5 |
7db754920da7bfd364fa4c188443facf
|
|
| BLAKE2b-256 |
496996a75d68cb0ce218a242db44e6aba488fad48ffe7951ca9e3956c7caeba9
|
Provenance
The following attestation bundles were made for pyliebherrhomeapi-0.4.1.tar.gz:
Publisher:
publish.yml on mettolen/pyliebherrhomeapi
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
pyliebherrhomeapi-0.4.1.tar.gz -
Subject digest:
aba907243f5e9738c1eb40c2a7e60fc649ea99c6d6c6e69e98c7dce849742032 - Sigstore transparency entry: 1155188369
- Sigstore integration time:
-
Permalink:
mettolen/pyliebherrhomeapi@97bf7741773173bb6fc30eadeff95de21acbc5c2 -
Branch / Tag:
refs/tags/0.4.1 - Owner: https://github.com/mettolen
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@97bf7741773173bb6fc30eadeff95de21acbc5c2 -
Trigger Event:
release
-
Statement type:
File details
Details for the file pyliebherrhomeapi-0.4.1-py3-none-any.whl.
File metadata
- Download URL: pyliebherrhomeapi-0.4.1-py3-none-any.whl
- Upload date:
- Size: 16.6 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
b21d552f84d5679e9ac99068b8bbe595235abe2d28a4fb40e11b32dffed43b27
|
|
| MD5 |
13a824f538ed7f6e37205d6bb9be1076
|
|
| BLAKE2b-256 |
e1d41d10f5051ef8205d90e870902e42b31872206c63102b786ac7bd448a5ce8
|
Provenance
The following attestation bundles were made for pyliebherrhomeapi-0.4.1-py3-none-any.whl:
Publisher:
publish.yml on mettolen/pyliebherrhomeapi
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
pyliebherrhomeapi-0.4.1-py3-none-any.whl -
Subject digest:
b21d552f84d5679e9ac99068b8bbe595235abe2d28a4fb40e11b32dffed43b27 - Sigstore transparency entry: 1155188373
- Sigstore integration time:
-
Permalink:
mettolen/pyliebherrhomeapi@97bf7741773173bb6fc30eadeff95de21acbc5c2 -
Branch / Tag:
refs/tags/0.4.1 - Owner: https://github.com/mettolen
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@97bf7741773173bb6fc30eadeff95de21acbc5c2 -
Trigger Event:
release
-
Statement type: