Disclaimer: This is an unofficial Python client for the PetsSeries API. It is not affiliated with, endorsed by, or in any way connected to the official PetsSeries, Versuni or Philips companies.
The Unofficial PetsSeries API Client is a Python library designed to interact with the PetsSeries backend services. It provides asynchronous methods to manage user information, homes, devices, meals, events, and more. This client handles authentication, token refreshing, and provides a convenient interface for integrating PetsSeries functionalities into your Python applications.
- Authentication Management: Handles access and refresh tokens, including automatic refreshing when expired.
- PKCE OAuth 2.0 Flow: Full support for the secure PKCE authentication flow used by the official app.
- Comprehensive API Coverage: Methods to interact with user info, homes, devices, meals, events, and device settings.
- Home Management: Create, rename, delete homes and manage home sharing invitations.
- Device Management: Add, rename, delete devices and manage device settings.
- Schedule Management: Methods to manage meal schedules.
- Food Dispenser Control: Methods to control food dispensers (Requires Tuya).
- Event Parsing: Automatically parses different event types into structured Python objects.
- Discovery Service: Access global configuration and API URLs without authentication.
- Camera Feed Access: Methods to access the camera feed
(feel free to PR if you manage to implement any of these features)
Ensure you have Python 3.10 or higher installed. You can install the package using pip:
pip install -r requirements.txtThis client supports two methods of authentication with the PetsSeries API:
The library includes full support for the PKCE (Proof Key for Code Exchange) OAuth 2.0 flow, which is the same method used by the official Philips app. This is more secure and doesn't require manually extracting tokens.
import asyncio
from petsseries import AuthManager
async def authenticate():
async with AuthManager() as auth:
# Step 1: Generate authorization URL
auth_data = await auth.get_authorization_url()
print("Please open this URL in your browser:")
print(auth_data["authorization_url"])
print()
print("After logging in, you'll be redirected to 'paw://login?code=...'")
print("Copy that entire URL and paste it below:")
callback_url = input("Callback URL: ").strip()
# Step 2: Parse the callback URL
callback_data = AuthManager.parse_callback_url(callback_url)
# Step 3: Exchange authorization code for tokens
tokens = await auth.exchange_authorization_code(
authorization_code=callback_data["code"],
code_verifier=auth_data["code_verifier"]
)
print(f"Access Token: {tokens['access_token'][:50]}...")
print(f"Refresh Token: {tokens['refresh_token'][:50]}...")
print("Tokens have been saved to tokens.json")
asyncio.run(authenticate())If you prefer to extract tokens manually:
-
Login via Web Interface:
- Navigate to PetsSeries Appliance Login.
- Select a PetsSeries product (Starts with PAW) and log in with your credentials.
-
Retrieve Tokens:
- After logging in, you will be redirected to a "Thanks for your purchase" screen.
- Open your browser's developer tools (usually by pressing F12 or Ctrl+Shift+I).
- Go to the Application tab and inspect the cookies.
- Locate and copy the
cc-access-tokenandcc-refresh-tokenfrom the cookies.
-
Provide Tokens to the Client:
- You can provide the
access_tokenandrefresh_tokenwhen initializing the client.
- You can provide the
import asyncio
from petsseries import PetsSeriesClient
async def main():
client = PetsSeriesClient(
access_token="your_access_token_here",
refresh_token="your_refresh_token_here"
)
await client.initialize()
# Your code here
asyncio.run(main())After the first run, the tokens will be saved automatically, and you won't need to provide them again unless they are invalidated.
The client also supports integration with Tuya devices, which is required for controlling features such as food dispensers. To enable this, you will need to provide the following:
-
client_id: This can be found in the PetsSeries app's device screen.
-
ip: The ip of the device.
-
local_key: You can extract this from the device using a rooted phone and running frida-trace as shown below:
frida-trace -H 127.0.0.1:27042 --decorate -j '*!*encodeString*' -f com.versuni.petsseries. -o <a folder location to save frida_trace outputs to a local file>Then, search for the localKey in the logs.
import asyncio
from petsseries import PetsSeriesClient
async def main():
client = PetsSeriesClient(
access_token="your_access_token_here",
refresh_token="your_refresh
tuya_credentials={"client_id": "CLIENT_ID", "ip": "IP_ADDRESS", "local_key": "LOCAL_KEY"}
)
await client.initialize()
# Your code here
asyncio.run(main())Initialize the PetsSeriesClient with optional access_token and refresh_token. If tokens are not provided, ensure that tokens.json exists with valid tokens.
import asyncio
from petsseries import PetsSeriesClient
async def initialize_client():
async with PetsSeriesClient() as client:
await client.initialize()
# Use the client for API calls
asyncio.run(initialize_client())The client provides various methods to fetch data from the PetsSeries API.
user = await client.get_user_info()
print(user.name, user.email)homes = await client.get_homes()
for home in homes:
print(home.name)for home in homes:
devices = await client.get_devices(home)
for device in devices:
print(device.name, device.id)from datetime import datetime
from pytz import timezone
from_date = datetime(2024, 9, 27, tzinfo=timezone("Europe/Amsterdam"))
to_date = datetime(2024, 9, 28, tzinfo=timezone("Europe/Amsterdam"))
events = await client.get_events(home, from_date, to_date)
for event in events:
print(event)for home in homes:
meals = await client.get_meals(home)
for meal in meals:
print(meal)# Define the meal details
meal_name = "Dinner"
portion_amount = 10 # 1 - 20 portions
feed_time = datetime.combine(datetime.today(), time(hour=18, minute=30)) # 6:30 PM
repeat_days = [1, 2, 3, 4, 5, 6, 7] # Every day of the week
# Create a Meal instance
meal = Meal(
id="", # ID will be assigned by the server
name=meal_name,
portion_amount=portion_amount,
feed_time=feed_time,
repeat_days=repeat_days,
device_id=device.id,
enabled=True,
url="" # URL will be assigned by the server
)
try:
created_meal = await client.create_meal(home, meal)
print(f"Meal '{created_meal.name}' created successfully with ID: {created_meal.id}")
print(f"Feed Time: {created_meal.feed_time}")
print(f"Portion Amount: {created_meal.portion_amount}")
print(f"Repeat Days: {created_meal.repeat_days}")
print(f"Device ID: {created_meal.device_id}")
print(f"Enabled: {created_meal.enabled}")
print(f"Meal URL: {created_meal.url}")
except Exception as e:
print(f"An error occurred while creating the meal: {e}")# Fetch homes
homes = await client.get_homes()
home = homes[0] # Select the first home for example
# Fetch meals
meals = await client.get_meals(home)
meal_to_update = meals[0] # Select the first meal for example
# Modify the meal details
meal_to_update.name = "Updated Meal Name"
meal_to_update.portion_amount = 3
meal_to_update.feed_time = time(13, 30) # Update to 1:30 PM
# Update the meal
updated_meal = await client.update_meal(home, meal_to_update)
print(f"Meal updated: {updated_meal}")The client provides a HomesManager for managing homes and home invitations. This supports sharing homes with family members.
# Create a new home
new_home = await client.homes_manager.create_home("My New Home")
print(f"Created home: {new_home.name} (ID: {new_home.id})")# Rename an existing home
home = homes[0]
success = await client.homes_manager.rename_home(home, "Updated Home Name")
if success:
print("Home renamed successfully!")# Delete a home
success = await client.homes_manager.delete_home(home)
if success:
print("Home deleted successfully!")Share your home with family members using invitations:
from petsseries import HomeInviteRole
# Get all invites for a home
invites = await client.homes_manager.get_invites(home)
for invite in invites:
print(f"Invite: {invite.email} - {invite.status.value}")
# Send a new invitation
success = await client.homes_manager.send_invite(
home=home,
email="family@example.com",
label="Mom",
role=HomeInviteRole.MEMBER # or HomeInviteRole.ADMIN
)
if success:
print("Invitation sent!")
# Resend an invitation
success = await client.homes_manager.resend_invite(home, invite_token)
# Update invite label
success = await client.homes_manager.update_invite_label(home, invite_token, "Dad")
# Delete/reject an invitation
success = await client.homes_manager.delete_invite(home, invite_token)The client provides a DevicesManager for extended device operations.
# Add a new device using product CTN
success = await client.devices_manager.add_device(home, product_ctn="PAW5320")
if success:
print("Device added successfully!")# Rename an existing device
device = devices[0]
success = await client.devices_manager.rename_device(home, device, "Kitchen Feeder")
if success:
print("Device renamed!")# Remove/unpair a device
success = await client.devices_manager.delete_device(home, device)
if success:
print("Device removed!")# Get detailed device settings (filter times, voice audio, etc.)
settings = await client.devices_manager.get_device_settings(home, device)
if settings.filter_replacement_time:
print(f"Filter replacement due: {settings.filter_replacement_time.value}")
if settings.feeder_voice_audio_id:
print(f"Voice audio: {settings.feeder_voice_audio_id.audio_id}")from datetime import datetime, timezone
# Update filter application time (reset filter timer)
success = await client.devices_manager.update_device_settings(
home=home,
device=device,
filter_application_time=datetime.now(timezone.utc).isoformat()
)
# Or use the convenience method to reset the filter
success = await client.devices_manager.reset_filter(home, device)The Discovery Service provides global configuration without requiring authentication.
from petsseries import DiscoveryManager, get_discovery_config
# Quick method - get config without session management
config = await get_discovery_config()
print(f"API URL: {config.api_url}")
print(f"Consumer URL: {config.consumer_url}")
# Full method - with session management
async with DiscoveryManager() as discovery:
config = await discovery.get_discovery_config()
# Access country information
for country in config.countries:
print(f"{country.name} ({country.code})")
# Check app version requirements
if config.android_release:
print(f"Android min version: {config.android_release.min_version}")
if config.ios_release:
print(f"iOS min version: {config.ios_release.min_version}")You can manage device settings such as powering devices on/off and toggling motion notifications.
result = await client.power_on_device(home, device_id)
if result:
print("Device powered on successfully.")
result = await client.power_off_device(home, device_id)
if result:
print("Device powered off successfully.")
result = await client.toggle_device_power(home, device_id)
if result:
print("Device power toggled successfully.")result = await client.enable_motion_notifications(home, device_id)
if result:
print("Motion notifications enabled successfully.")
result = await client.disable_motion_notifications(home, device_id)
if result:
print("Motion notifications disabled successfully.")
result = await client.toggle_motion_notifications(home, device_id)
if result:
print("Motion notifications toggled successfully.")Here's a complete example demonstrating how to initialize the client, fetch user info, homes, devices, and manage device settings.
import asyncio
from petsseries import PetsSeriesClient
async def main():
async with PetsSeriesClient(
access_token="your_access_token_here",
refresh_token="your_refresh_token_here"
) as client:
await client.initialize()
# Fetch user info
user = await client.get_user_info()
print(f"User: {user.name} ({user.email})")
# Fetch homes
homes = await client.get_homes()
for home in homes:
print(f"Home: {home.name}")
# Fetch devices in home
devices = await client.get_devices(home)
for device in devices:
print(f"Device: {device.name} (ID: {device.id})")
# Power off device
success = await client.power_off_device(home, device.id)
if success:
print(f"{device.name} powered off.")
# Toggle motion notifications
success = await client.toggle_motion_notifications(home, device.id)
if success:
print(f"Motion notifications toggled for {device.name}.")
from_date = dt.datetime(2021, 9, 27, tzinfo=dt.timezone(dt.timedelta(hours=2)))
to_date = dt.datetime(2100, 9, 28, tzinfo=dt.timezone(dt.timedelta(hours=2)))
print(from_date, to_date)
events = await client.get_events(home, from_date, to_date)
# Possible eventTypes are: ["motion_detected", "meal_dispensed", "meal_upcoming", "food_level_low"]
for event in events:
if event.type == "meal_dispensed":
logger.info(f"Event: {event}")
if __name__ == "__main__":
asyncio.run(main())Sets the motion sensitivity level on the Tuya device.
success = await client.set_motion_sensitivity("1")
if success:
print("Motion sensitivity set successfully.")Parameters:
value (str): Sensitivity level ("0", "1", or "2"). Returns:
bool: True if the operation was successful, False otherwise.
Retrieves the current motion sensitivity setting of the Tuya device.
sensitivity = await client.get_motion_sensitivity()
if sensitivity:
print(f"Current motion sensitivity: {sensitivity['motion_sensitivity']}")Returns:
Optional[Dict[str, Any]]: The current motion sensitivity if successful, else None.
Sets the night vision level on the Tuya device.
success = await client.set_nightvision_level("2")
if success:
print("Night vision level set successfully.")Parameters:
value (str): Night vision level ("0", "1", or "2"). Returns:
bool: True if the operation was successful, False otherwise.
Retrieves the current night vision setting of the Tuya device.
nightvision = await client.get_nightvision_level()
if nightvision:
print(f"Current night vision level: {nightvision['nightvision']}")Returns:
Optional[Dict[str, Any]]: The current night vision level if successful, else None.
Flips the motion switch on the Tuya device.
success = await client.set_motion_switch()
if success:
print("Motion switch toggled successfully.")Returns:
bool: True if the operation was successful, False otherwise.
Retrieves the current status of the motion switch on the Tuya device.
motion_switch = await client.get_motion_switch()
if motion_switch:
print(f"Motion switch is {'on' if motion_switch['motion_switch'] else 'off'}.")Returns:
Optional[Dict[str, Any]]: The current motion switch status if successful, else None.
Sets the anti-flicker level on the Tuya device.
success = await client.set_anti_flicker_level("1")
if success:
print("Anti-flicker level set successfully.")Parameters:
value (str): Anti-flicker level ("0", "1", or "2"). Returns:
bool: True if the operation was successful, False otherwise.
Retrieves the current anti-flicker setting of the Tuya device.
anti_flicker = await client.get_anti_flicker_level()
if anti_flicker:
print(f"Current anti-flicker level: {anti_flicker['anti_flicker']}")Returns:
Optional[Dict[str, Any]]: The current anti-flicker level if successful, else None.
Sets the number of feeds on the Tuya device.
success = await client.feed_num(5)
if success:
print("Feed number set successfully.")Parameters:
value (int): Number of feeds (0 to 20). Returns:
bool: True if the operation was successful, False otherwise.
Sets the device volume on the Tuya device.
success = await client.set_device_volume(75)
if success:
print("Device volume set successfully.")Parameters:
value (int): Volume level (1 to 100). Returns:
bool: True if the operation was successful, False otherwise.
Retrieves the current volume setting of the Tuya device.
device_volume = await client.get_device_volume()
if device_volume:
print(f"Current device volume: {device_volume['device_volume']}")Returns:
Optional[Dict[str, Any]]: The current device volume if successful, else None.
Sets the food weight in grams on the Tuya device.
success = await client.set_food_weight(50)
if success:
print("Food weight set successfully.")Parameters:
value (int): Food weight (0 to 100). Returns:
bool: True if the operation was successful, False otherwise.
Retrieves the current food weight setting of the Tuya device.
food_weight = await client.get_food_weight()
if food_weight:
print(f"Current food weight: {food_weight['food_weight']} grams")Returns:
Optional[Dict[str, Any]]: The current food weight if successful, else None.
These Tuya methods enhance the functionality of the PetsSeries API Client by allowing granular control over Tuya-integrated devices. Ensure that you have properly initialized the TuyaClient with the necessary credentials before attempting to use these methods.
import asyncio
from petsseries import PetsSeriesClient
async def main():
client = PetsSeriesClient(
access_token="your_access_token_here",
refresh_token="your_refresh_token_here",
tuya_credentials={
"client_id": "YOUR_CLIENT_ID",
"ip": "DEVICE_IP_ADDRESS",
"local_key": "YOUR_LOCAL_KEY"
}
)
await client.initialize()
# Example: Set and get motion sensitivity
await client.set_motion_sensitivity("1")
sensitivity = await client.get_motion_sensitivity()
print(f"Motion Sensitivity: {sensitivity}")
asyncio.run(main())Contributions are more than welcome!
Disclaimer: This project is not affiliated with PetsSeries or Versuni. It is developed independently and is intended for personal use. Use it responsibly and respect the terms of service of the official PetsSeries API.