This library provides two main interfaces for interacting with OpenADR3 (Open Automated Demand Response) systems:
- Business Logic (BL) Client - For VTN operators (for example, DSOs).
- Virtual End Node (VEN) Client - For end users (for example, device operators).
The BL client is designed for VTN operators to manage OpenADR3 programs and events. It provides full control over the following interfaces:
- Events: Create, read, update, and delete events
- Programs: Create, read, update, and delete programs
- Reports: Read-only access to reports
- VENS: Read-only access to VEN information
- Subscriptions: Read-only access to subscriptions
from datetime import UTC, datetime, timedelta
from openadr3_client.bl.http_factory import BusinessLogicHttpClientFactory
from openadr3_client.models.common.unit import Unit
from openadr3_client.models.event.event import EventPayload, Interval, NewEvent
from openadr3_client.models.event.event_payload import EventPayloadType
from openadr3_client.models.program.program import (
EventPayloadDescriptor,
IntervalPeriod,
NewProgram,
Target,
)
# Initialize the client with the required OAuth configuration.
bl_client = BusinessLogicHttpClientFactory.create_http_bl_client(
vtn_base_url="https://vtn.example.com",
client_id="your_client_id",
client_secret="your_client_secret",
token_url="https://auth.example.com/token",
scopes=["read_all", "read_bl", "write_events", "write_programs"] # Optional: specify required scopes
)
# Create a new program (NewProgram allows for more properties, this is just a simple example).
program = NewProgram(
id=None, # ID cannot be set by the client, assigned by the VTN.
program_name="Example Program",
program_long_name="Example Program Long Name",
interval_period=IntervalPeriod(
start=datetime(2023, 1, 1, 12, 30, 0, tzinfo=UTC),
duration=timedelta(minutes=5),
randomize_start=timedelta(minutes=5),
),
payload_descriptor=(EventPayloadDescriptor(payload_type=EventPayloadType.PRICE, units=Unit.KWH, currency="EUR"),),
targets=(Target(type="test-target-1", values=("test-value-1",)),),
)
created_program = bl_client.programs.create_program(new_program=program)
# Create an event inside the program
event = NewEvent(
id=None,
programID=created_program.id, # ID of program is known after creation
event_name="test-event",
priority=999,
targets=(Target(type="test-target-1", values=("test-value-1",)),),
payload_descriptor=(
EventPayloadDescriptor(payload_type=EventPayloadType.PRICE, units=Unit.KWH, currency="EUR"),
),
# Top Level interval definition, each interval specified with the None value will inherit this
# value by default as its interval period. In this case, each interval will have an implicit
# duration of 5 minutes.
interval_period=IntervalPeriod(
start=datetime(2023, 1, 1, 12, 30, 0, tzinfo=UTC),
duration=timedelta(minutes=5),
),
intervals=(
Interval(
id=0,
interval_period=None,
payloads=(EventPayload(type=EventPayloadType.PRICE, values=(2.50,)),),
),
),
)
created_event = bl_client.events.create_event(new_event=event)
The VEN client is designed for end users and device operators to receive and process OpenADR3 programs and events. It provides:
- Events: Read-only access to events
- Programs: Read-only access to programs
- Reports: Create and manage reports
- VENS: Register and manage VEN information
- Subscriptions: Manage subscriptions to programs and events
from openadr3_client.ven.http_factory import VirtualEndNodeHttpClientFactory
# Initialize the client with the required OAuth configuration.
ven_client = VirtualEndNodeHttpClientFactory.create_http_ven_client(
vtn_base_url="https://vtn.example.com",
client_id="your_client_id",
client_secret="your_client_secret",
token_url="https://auth.example.com/token",
scopes=["read_all", "write_reports", "read_targets", "read_ven_objects"] # Optional: specify required scopes
)
# Search for events inside the VTN.
events = ven_client.events.get_events(target=..., pagination=..., program_id=...)
# Process the events as needed...The library provides convenience methods to convert between OpenADR3 event intervals and common data formats. These conversions can be used both for input (creating event intervals from a common data format) and output (processing existing event intervals to a common data format).
The library supports conversion between event intervals and pandas DataFrames. The DataFrame format is validated using a pandera schema to ensure data integrity.
Note: DataFrame conversion functionality requires the optional
pandasextra. Install it with:pip install 'openadr3-client[pandas]'or the equivalent in your package manager
When creating an event interval from a DataFrame, the input must match the following schema:
| Column Name | Type | Required | Description |
|---|---|---|---|
| type | str | Yes | The type of the event interval |
| values | list[Union[int, float, str, bool, Point]] | Yes | The payload values for the interval |
| start | datetime64[ns, UTC] | Yes | The start time of the interval (UTC timezone) |
| duration | timedelta64[ns] | Yes | The duration of the interval |
| randomize_start | timedelta64[ns] | No | The randomization window for the start time |
Important notes:
- All datetime values must be timezone-aware and in UTC
- All datetime and timedelta values must use nanosecond precision (
[ns]) - The id column of an event interval cannot be provided as input - the client will automatically assign incrementing integer IDs to the event intervals, in the same order as they were given.
Example DataFrame:
import pandas as pd
df = pd.DataFrame({
'type': ['SIMPLE'],
'values': [[1.0, 2.0]],
'start': [pd.Timestamp("2023-01-01 00:00:00.000Z").as_unit("ns")],
'duration': [pd.Timedelta(hours=1)],
'randomize_start': [pd.Timedelta(minutes=5)]
})When converting an event interval to a DataFrame, the output will match the same schema as the input format, with one addition: the event interval's id field will be included as the DataFrame index. The conversion process includes validation to ensure the data meets the schema requirements, including timezone and precision specifications.
The library also supports conversion between event intervals and lists of dictionaries using a TypedDict format.
When creating an event interval from a dictionary, the input must follow the EventIntervalDictInput format:
| Field Name | Type | Required | Description |
|---|---|---|---|
| type | str | Yes | The type of the event interval |
| values | list[Union[int, float, str, bool, Point]] | Yes | The payload values for the interval |
| start | datetime | No | The start time of the interval (must be timezone aware) |
| duration | timedelta | No | The duration of the interval |
| randomize_start | timedelta | No | The randomization window for the start time |
Important notes:
- All datetime values must be timezone-aware and in UTC
- The id field cannot be provided as input - the client will automatically assign incrementing integer IDs to the event intervals, in the same order as they were given
Example input:
from datetime import datetime, timedelta, UTC
dict_iterable_input = [
{
# Required fields
'type': 'SIMPLE',
'values': [1.0, 2.0],
# Optional fields
'start': datetime(2024, 1, 1, 12, 0, 0, tzinfo=UTC),
'duration': timedelta(hours=1),
'randomize_start': timedelta(minutes=15)
},
]When converting an event interval to a list of dictionaries, the output is checked against the EventIntervalDictInput TypedDict with type hints to ensure compliance. The output is a list of EventIntervalDictInput values.
- Install the package
- Configure the required environment variables
- Choose the appropriate client interface (BL or VEN)
- Initialize the client with the required interfaces
- Start interacting with the OpenADR3 VTN system.
All domain models defined in the openadr3-client are immutable by design. This is enforced through Pydantic's frozen = True configuration. This means that once a model instance is created, its properties cannot be modified directly.
To make changes to an existing resource (like a Program or VEN), you must use the update method provided by the corresponding Existing{ResourceName} class. This method takes an update object that contains only the properties that are valid to be altered.
For example, to update a program:
existing:program : ExistingProgram = ...
# Create an update object with the properties you want to change
program_update = ProgramUpdate(
program_name="Updated Program Name",
program_long_name="Updated Program Long Name"
)
# Apply the update to an existing program, this returns a new ExistingProgram object with the update changes applied.
updated_program = existing_program.update(program_update)This pattern ensures data consistency and makes it clear which properties can be modified after creation.
The library supports both predefined and custom enumeration cases for various types like Unit, EventPayloadType, and ReportPayloadType. This flexibility allows for adherence to the OpenADR3 specification, which specifies both common default enumeration values, while also allowing for arbitrary custom values.
To support this as best as possible, ensuring type safety and ease of use through the standard enum interface for these common cases, the choice was made to extend the enumeration classes and allow for dynamic case construction only when needed for custom values.
Predefined enumeration cases are type-safe and can be used directly:
from openadr3_client.models.common.unit import Unit
from openadr3_client.models.event.event_payload import EventPayloadDescriptor, EventPayloadType
# Using predefined cases
unit = Unit.KWH
payload_type = EventPayloadType.SIMPLE
# These can be used in payload descriptors
descriptor = EventPayloadDescriptor(
payload_type=unit,
units=payload_type
)To use custom enumeration cases, you must use the functional constructor. The library will validate and create a new enumeration case dynamically:
from openadr3_client.models.common.unit import Unit
from openadr3_client.models.event.event_payload import EventPayloadDescriptor, EventPayloadType
# Using custom cases
custom_unit = Unit("CUSTOM_UNIT")
custom_payload_type = EventPayloadType("CUSTOM_PAYLOAD")
# These can be used in payload descriptors
descriptor = EventPayloadDescriptor(
payload_type=custom_payload_type,
units=custom_unit
)Note that custom enumeration cases are validated according to the OpenADR3 specification:
- For
EventPayloadType, values must be strings between 1 and 128 characters - For
ReportPayloadType, values must be strings between 1 and 128 characters - For
Unit, any string value is accepted
All New{Resource} classes (such as NewProgram, NewVen, etc.) inherit from the CreationGuarded class. This implements a creation guard pattern that ensures each instance can only be used to create a resource in the VTN exactly once.
This pattern prevents accidental reuse of creation objects, which could lead to duplicate resources or unintended side effects. If you attempt to use the same New{Resource} instance multiple times to create a resource, the library will raise a ValueError.
For example:
# Create a new program instance
new_program = NewProgram(
program_name="Example Program",
program_long_name="Example Program Long Name",
# ... other required fields ...
)
# First creation - this will succeed
created_program = bl_client.programs.create_program(new_program=new_program)
# Second creation with the same instance - this will raise ValueError
try:
duplicate_program = bl_client.programs.create_program(new_program=new_program)
except ValueError as e:
print(f"Error: {e}") # Will print: "Error: CreationGuarded object has already been created."openadr3-client supports the use of validator plugins. The plugins are created using the ValidatorPlugin class, which contains a set of validators for a model.
Registering a plugin is done using the global ValidatorPluginRegistry class:
from openadr3_client.plugin import ValidatorPluginRegistry, ValidatorPlugin
from openadr3_client.models.event.event import Event
ValidatorPluginRegistry.register_plugin(
MyFirstPlugin().setup()
).register_plugin(
MySecondPlugin().setup()
)Since the ValidatorPluginRegistry class is a singleton, all validators will run after the registration.
To see how to create a plugin, see the doc-comment on the ValidatorPlugin class.
The GAC compliance plugin is a first-party plugin available here which adds additional domain validation rules to the OpenADR3 domain models to enforce compliance with the Dutch GAC (Grid Aware Charging) specification.
This project is licensed under the Apache-2.0 - see LICENSE for details.
This project includes third-party libraries, which are licensed under their own respective Open-Source licenses. SPDX-License-Identifier headers are used to show which license is applicable. The concerning license files can be found in the LICENSES directory.