Pronunciation: /oʊ.ɛər.paɪ/ ("o-air-pie") — short for "openehrpy", where "ehr" is pronounced like "air" (as in openEHR).
A comprehensive Python SDK for openEHR that provides type-safe Reference Model classes, template-specific composition builders, EHRBase client, and AQL query builder.
This project addresses the gap in the openEHR ecosystem where no comprehensive, actively maintained Python SDK exists. It eliminates the need for developers to manually construct complex nested JSON structures when working with openEHR compositions.
pip install oehrpyOr install from source:
git clone https://github.com/platzhersh/oehrpy.git
cd oehrpy
pip install -e .- Python: 3.10+
- openEHR RM: 1.1.0
- EHRBase: 2.26.0+ (uses new FLAT format with composition tree IDs)
Note: EHRBase 2.0+ introduced breaking changes to the FLAT format. This SDK implements the new format used by EHRBase 2.26.0. For details, see FLAT Format Versions.
- Type-safe RM Classes: 134 Pydantic models for openEHR Reference Model 1.1.0 types (includes BASE types)
- Template Builders: Pre-built composition builders for common templates (Vital Signs)
- OPT Parser & Generator: Parse OPT files and auto-generate type-safe builder classes
- FLAT Format: Full support for EHRBase 2.26.0+ FLAT format serialization
- Canonical JSON: Convert RM objects to/from openEHR canonical JSON format
- EHRBase Client: Async REST client for EHRBase CDR operations
- AQL Builder: Fluent API for building type-safe AQL queries
- OPT Validator: Validate OPT 1.4 XML files before CDR upload (well-formedness, semantics, FLAT path impact)
- IDE Support: Full autocomplete and type checking support
- Validation: Pydantic v2 validation for all fields
from openehr_sdk.rm import (
DV_QUANTITY, DV_TEXT, DV_CODED_TEXT,
CODE_PHRASE, TERMINOLOGY_ID
)
# Create a simple text value
text = DV_TEXT(value="Patient vital signs recorded")
# Create a quantity (e.g., blood pressure)
bp_systolic = DV_QUANTITY(
magnitude=120.0,
units="mm[Hg]",
property=CODE_PHRASE(
terminology_id=TERMINOLOGY_ID(value="openehr"),
code_string="382"
)
)
print(f"Blood pressure: {bp_systolic.magnitude} {bp_systolic.units}")Build compositions using type-safe builders without knowing FLAT paths:
from openehr_sdk.templates import VitalSignsBuilder
# Create a vital signs composition
builder = VitalSignsBuilder(composer_name="Dr. Smith")
builder.add_blood_pressure(systolic=120, diastolic=80)
builder.add_pulse(rate=72)
builder.add_temperature(37.2)
builder.add_respiration(rate=16)
builder.add_oxygen_saturation(spo2=98)
# Get FLAT format for EHRBase submission
flat_data = builder.build()
# {
# "vital_signs_observations/language|code": "en",
# "vital_signs_observations/territory|code": "US",
# "vital_signs_observations/composer|name": "Dr. Smith",
# "vital_signs_observations/category|code": "433",
# "vital_signs_observations/vital_signs/blood_pressure/systolic|magnitude": 120,
# "vital_signs_observations/vital_signs/blood_pressure/systolic|unit": "mm[Hg]",
# "vital_signs_observations/vital_signs/body_temperature/temperature|unit": "°C",
# ...
# }Automatically generate template-specific builder classes from OPT (Operational Template) files:
from openehr_sdk.templates import generate_builder_from_opt, parse_opt
# Parse an OPT file
template = parse_opt("path/to/your-template.opt")
print(f"Template: {template.template_id}")
print(f"Observations: {len(template.list_observations())}")
# Generate Python builder code
code = generate_builder_from_opt("path/to/your-template.opt")
print(code) # Full Python class ready to use
# Or save directly to a file
from openehr_sdk.templates import BuilderGenerator
generator = BuilderGenerator()
generator.generate_to_file(template, "my_template_builder.py")Command-line tool:
python examples/generate_builder_from_opt.py path/to/template.optThis eliminates the need to manually code builders - just provide your OPT file and get a fully type-safe builder class with methods for each observation type.
Validate OPT 1.4 XML files before uploading to a CDR. The validator checks for XML well-formedness, semantic integrity, structural issues, and FLAT path impact:
from openehr_sdk.validation import OPTValidator
validator = OPTValidator()
result = validator.validate_file("path/to/template.opt")
if result.is_valid:
print(f"Template '{result.template_id}' is valid!")
print(f" Archetypes: {result.archetype_count}, Nodes: {result.node_count}")
else:
for issue in result.errors:
print(f"[{issue.code}] {issue.message}")
if issue.suggestion:
print(f" -> {issue.suggestion}")
# Warnings are always available even when valid
for w in result.warnings:
print(f"Warning: [{w.code}] {w.message}")Validation categories:
| Category | Severity | Examples |
|---|---|---|
| Well-formedness | Error | Invalid XML, wrong namespace, missing template_id, unknown RM types |
| Semantic integrity | Error | Missing term definitions, orphan terminology bindings |
| Structural | Warning | Draft lifecycle, v0 archetypes, prohibited nodes, unconstrained slots |
| FLAT path impact | Info | Renamed nodes, path collisions, special characters in concept |
Command-line tool:
# Validate one or more OPT files
oehrpy-validate-opt path/to/template.opt
# JSON output for CI/CD pipelines
oehrpy-validate-opt template.opt --output json
# Treat warnings as errors (strict mode)
oehrpy-validate-opt template.opt --strict
# Show FLAT path impact details
oehrpy-validate-opt template.opt --show-flat-pathsIntegrate with OPT parsing and builder generation:
from openehr_sdk.templates import parse_opt, generate_builder_from_opt
# Validate during parsing (raises OPTValidationError on errors)
template = parse_opt("template.opt", validate=True)
# Validate before generating builder code
code = generate_builder_from_opt("template.opt", validate=True)from openehr_sdk.rm import DV_QUANTITY, CODE_PHRASE, TERMINOLOGY_ID
from openehr_sdk.serialization import to_canonical, from_canonical
# Serialize to canonical JSON (with _type fields)
quantity = DV_QUANTITY(magnitude=120.0, units="mm[Hg]", ...)
canonical = to_canonical(quantity)
# {"_type": "DV_QUANTITY", "magnitude": 120.0, "units": "mm[Hg]", ...}
# Deserialize back to Python object
restored = from_canonical(canonical, expected_type=DV_QUANTITY)from openehr_sdk.serialization import FlatBuilder
# For EHRBase 2.26.0+, use composition tree ID as prefix
builder = FlatBuilder(composition_prefix="vital_signs_observations")
builder.context(language="en", territory="US", composer_name="Dr. Smith")
builder.set_quantity("vital_signs_observations/vital_signs/blood_pressure/systolic", 120.0, "mm[Hg]")
builder.set_coded_text("vital_signs_observations/vital_signs/blood_pressure/position", "Sitting", "at0001")
flat_data = builder.build()
# Automatically includes required fields: category, context/start_time, context/settingfrom openehr_sdk.client import EHRBaseClient
async with EHRBaseClient(
base_url="http://localhost:8080/ehrbase",
username="admin",
password="admin",
) as client:
# Create an EHR
ehr = await client.create_ehr()
print(f"Created EHR: {ehr.ehr_id}")
# Create a composition
result = await client.create_composition(
ehr_id=ehr.ehr_id,
template_id="IDCR - Vital Signs Encounter.v1",
composition=flat_data,
format="FLAT",
)
print(f"Created composition: {result.uid}")
# Query compositions
query_result = await client.query(
"SELECT c FROM EHR e CONTAINS COMPOSITION c WHERE e/ehr_id/value = :ehr_id",
query_parameters={"ehr_id": ehr.ehr_id},
)from openehr_sdk.aql import AQLBuilder
# Build complex queries with a fluent API
query = (
AQLBuilder()
.select("c/uid/value", alias="composition_id")
.select("c/context/start_time/value", alias="time")
.from_ehr()
.contains_composition()
.contains_observation(archetype_id="openEHR-EHR-OBSERVATION.blood_pressure.v1")
.where_ehr_id()
.order_by_time(descending=True)
.limit(100)
.build()
)
print(query.to_string())
# SELECT c/uid/value AS composition_id, c/context/start_time/value AS time
# FROM EHR e CONTAINS COMPOSITION c CONTAINS OBSERVATION o[...]
# WHERE e/ehr_id/value = :ehr_id
# ORDER BY c/context/start_time/value DESC
# LIMIT 100The SDK includes all major openEHR RM 1.1.0 types:
Data Types:
DV_TEXT,DV_CODED_TEXT,CODE_PHRASEDV_QUANTITY,DV_COUNT,DV_PROPORTION,DV_SCALE(new in 1.1.0)DV_ORDINAL(integer values only - use DV_SCALE for decimal scale values)DV_DATE_TIME,DV_DATE,DV_TIME,DV_DURATIONDV_BOOLEAN,DV_IDENTIFIER,DV_URI,DV_EHR_URIDV_MULTIMEDIA,DV_PARSABLE
Structures:
COMPOSITION,SECTION,ENTRYOBSERVATION,EVALUATION,INSTRUCTION,ACTIONITEM_TREE,ITEM_LIST,CLUSTER,ELEMENTHISTORY,EVENT,POINT_EVENT,INTERVAL_EVENT
Support:
PARTY_IDENTIFIED,PARTY_SELF,PARTICIPATIONOBJECT_REF,OBJECT_ID,HIER_OBJECT_IDARCHETYPED,LOCATABLE,PATHABLE
- DV_SCALE: Data type for scales/scores with decimal values (extends DV_ORDINAL for non-integer scales)
- preferred_term: New optional field in DV_CODED_TEXT for terminology mapping
- Enhanced Folder support: Archetypeable meta-data in EHR folders
For details, see ADR-0001: Support RM 1.1.0.
- Python 3.10+
- pip
# Clone the repository
git clone https://github.com/platzhersh/oehrpy.git
cd oehrpy
# Install development dependencies
pip install -e ".[dev,generator]"pytest tests/ -vmypy src/openehr_sdkThe RM classes are generated from openEHR BMM specifications:
python -m generator.pydantic_generatoroehrpy/
├── src/openehr_sdk/ # Main package
│ ├── rm/ # Generated RM + BASE classes (134 types)
│ ├── serialization/ # JSON serialization (canonical + FLAT)
│ ├── client/ # EHRBase REST client
│ ├── templates/ # Template builders (Vital Signs, etc.)
│ ├── validation/ # FLAT composition & OPT template validation
│ │ └── opt/ # OPT 1.4 XML validator (4 check categories)
│ └── aql/ # AQL query builder
├── generator/ # Code generation tools
│ ├── bmm_parser.py # BMM JSON parser
│ ├── pydantic_generator.py # Pydantic code generator
│ └── bmm/ # BMM specification files
├── tests/ # Test suite
└── docs/ # Documentation
Contributions are welcome! Please see CONTRIBUTING.md for guidelines on how to get started.
MIT
- FLAT Format Versions - Understanding EHRBase 2.0+ FLAT format changes
- FLAT Format Learnings - Comprehensive FLAT format guide
- ADR-0001: RM 1.1.0 Support
- ADR-0002: Integration Testing
- PRD-0000: Python openEHR SDK
- PRD-0008: OPT Validator
- openEHR BMM Specifications
- openEHR RM Specification
- EHRBase
- EHRBase Documentation (Note: FLAT format docs may be outdated, see our FLAT Format Versions guide)
- Building Open CIS Part 4: The openEHR SDK Landscape
- Building Open CIS Part 5: oehrpy — A Python SDK for openEHR