Python SDK for the Digital Citizenship Protocol for AI Agents
Project description
dcp-ai — Python SDK
Official Python SDK for the Digital Citizenship Protocol (DCP). Pydantic v2 models, Ed25519 cryptography, bundle verification, and a full-featured CLI.
Installation
pip install dcp-ai
Optional extras
pip install "dcp-ai[fastapi]" # FastAPI middleware
pip install "dcp-ai[langchain]" # LangChain integration
pip install "dcp-ai[openai]" # OpenAI wrapper
pip install "dcp-ai[crewai]" # CrewAI multi-agent
Quickstart
from dcp_ai import (
BundleBuilder,
sign_bundle,
verify_signed_bundle,
generate_keypair,
ResponsiblePrincipalRecord,
AgentPassport,
Intent,
IntentTarget,
PolicyDecision,
)
# 1. Generate Ed25519 keypair
keys = generate_keypair()
# 2. Build a Citizenship Bundle
bundle = (
BundleBuilder()
.responsible_principal_record(ResponsiblePrincipalRecord(
dcp_version="1.0",
human_id="human-001",
entity_type="natural_person",
jurisdiction="ES",
liability_mode="full",
created_at="2025-01-01T00:00:00Z",
expires_at=None,
))
.agent_passport(AgentPassport(
dcp_version="1.0",
agent_id="agent-001",
human_id="human-001",
agent_name="MyAgent",
capabilities=["browse", "api_call"],
risk_tier="medium",
status="active",
created_at="2025-01-01T00:00:00Z",
expires_at=None,
))
.intent(Intent(
dcp_version="1.0",
agent_id="agent-001",
human_id="human-001",
timestamp="2025-01-01T00:00:00Z",
action_type="api_call",
target=IntentTarget(channel="api", endpoint="https://api.example.com/data"),
data_classes=["public"],
estimated_impact="low",
))
.policy_decision(PolicyDecision(
dcp_version="1.0",
agent_id="agent-001",
human_id="human-001",
timestamp="2025-01-01T00:00:00Z",
decision="allow",
matched_rules=["default-allow"],
))
.build()
)
# 3. Sign
signed = sign_bundle(bundle, keys["secret_key_b64"])
# 4. Verify
result = verify_signed_bundle(signed, keys["public_key_b64"])
print(result) # {"verified": True, "errors": []}
CLI
The SDK includes a CLI built with Typer. Available as dcp after installation.
# Version
dcp version
# Generate Ed25519 keypair
dcp keygen [out_dir]
# Validate an object against a DCP schema
dcp validate <schema_name> <json_path>
# Validate a complete Citizenship Bundle
dcp validate-bundle <bundle_path>
# Verify a Signed Bundle
dcp verify <signed_path> [public_key_path]
# Compute bundle hash (SHA-256)
dcp bundle-hash <bundle_path>
# Compute Merkle root of audit entries
dcp merkle-root <bundle_path>
# Compute intent_hash
dcp intent-hash-cmd <intent_path>
API Reference
Crypto
| Function | Signature | Description |
|---|---|---|
generate_keypair() |
() -> dict[str, str] |
Returns {"public_key_b64": ..., "secret_key_b64": ...} |
sign_object(obj, secret_key_b64) |
(Any, str) -> str |
Signs, returns base64 |
verify_object(obj, signature_b64, public_key_b64) |
(Any, str, str) -> bool |
Verifies signature |
canonicalize(obj) |
(Any) -> str |
Deterministic JSON |
public_key_from_secret(secret_key_b64) |
(str) -> str |
Derives public key |
Merkle & Hashing
| Function | Signature | Description |
|---|---|---|
hash_object(obj) |
(Any) -> str |
SHA-256 of canonicalized JSON |
merkle_root_from_hex_leaves(leaves) |
(list[str]) -> str | None |
Merkle root |
merkle_root_for_audit_entries(entries) |
(list[Any]) -> str | None |
Merkle root of audit entries |
intent_hash(intent) |
(Any) -> str |
Intent hash |
prev_hash_for_entry(prev_entry) |
(Any) -> str |
Previous entry hash |
Schema Validation
| Function | Signature | Description |
|---|---|---|
validate_schema(schema_name, data) |
(str, Any) -> dict |
Returns {"valid": bool, "errors": [...]} |
validate_bundle(bundle) |
(dict) -> dict |
Validates a complete bundle |
Bundle Builder
bundle = (
BundleBuilder()
.responsible_principal_record(rpr)
.agent_passport(passport)
.intent(intent)
.policy_decision(policy)
.add_audit_entry(entry) # Manual
.create_audit_entry(...) # Auto-computes hashes
.build() # => CitizenshipBundle
)
Bundle Signing
sign_bundle(
bundle: CitizenshipBundle,
secret_key_b64: str,
signer_type: str = "human",
signer_id: str | None = None,
) -> dict[str, Any]
Bundle Verification
verify_signed_bundle(
signed_bundle: dict[str, Any],
public_key_b64: str | None = None,
) -> dict[str, Any] # {"verified": bool, "errors": [...]}
Verifies: schema, Ed25519 signature, bundle_hash, merkle_root, intent_hash chain, prev_hash chain.
Pydantic Models
All DCP v1 artifacts are available as Pydantic v2 models with automatic validation:
ResponsiblePrincipalRecord, AgentPassport, Intent, IntentTarget, PolicyDecision, AuditEntry, AuditEvidence, CitizenshipBundle, SignedBundle, BundleSignature, SignerInfo, RevocationRecord, HumanConfirmation
V2 Models (DCP-05–09):
DCP-05 — Lifecycle: LifecycleState, TerminationMode, DataDisposition, VitalityMetrics, CommissioningCertificate, VitalityReport, DecommissioningRecord
DCP-06 — Succession: TransitionType, MemoryDisposition, MemoryClassification, SuccessorPreference, DigitalTestament, SuccessionRecord, MemoryTransferEntry, DualHashRef, MemoryTransferManifest
DCP-07 — Disputes: DisputeType, EscalationLevel, DisputeStatus, ObjectionType, AuthorityLevel, DisputeRecord, ArbitrationResolution, JurisprudenceBundle, ObjectionRecord
DCP-08 — Rights: RightType, ComplianceStatus, RightEntry, RightsDeclaration, ObligationRecord, RightsViolationReport
DCP-09 — Delegation: AuthorityScopeEntry, DelegationMandate, AdvisoryDeclaration, PrincipalMirror, InteractionRecord, ThresholdRule, ThresholdOperator, ThresholdAction, AwarenessThreshold
# Example: Lifecycle management
from dcp_ai.v2.models import CommissioningCertificate, LifecycleState
cert = CommissioningCertificate(
certificate_id="cert-001",
agent_id="agent-001",
commissioned_by="human-001",
commissioned_at="2026-03-01T00:00:00Z",
initial_state=LifecycleState.COMMISSIONED,
conditions=["Must complete onboarding within 30 days"],
)
Domain Separation (V2)
V2 Domain Separation Contexts: Bundle, Intent, Passport, Revocation, Governance, Lifecycle, Succession, Dispute, Rights, Delegation, Awareness
Development
# Install in development mode
pip install -e ".[dev]"
# Run tests
pytest -v
# Async tests
pytest -v --asyncio-mode=auto
Dependencies
pynacl— Ed25519 cryptographyjsonschema— JSON Schema validationpydanticv2 — Data modelstyper— CLI framework
License
Apache-2.0
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 dcp_ai-2.0.2.tar.gz.
File metadata
- Download URL: dcp_ai-2.0.2.tar.gz
- Upload date:
- Size: 40.3 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.12
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
e8f99124e4b40c5c8c0a08be3afc86bd2ec8d087abe69b9361de484d785cdcdd
|
|
| MD5 |
391b498b034a51422eb100d9d44da894
|
|
| BLAKE2b-256 |
20bfbfaeb80c5af3a467c249bcb3e763b5333b58b401f3ff9b3d5282ccb84022
|
Provenance
The following attestation bundles were made for dcp_ai-2.0.2.tar.gz:
Publisher:
publish-pypi.yml on dcp-ai-protocol/dcp-ai
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
dcp_ai-2.0.2.tar.gz -
Subject digest:
e8f99124e4b40c5c8c0a08be3afc86bd2ec8d087abe69b9361de484d785cdcdd - Sigstore transparency entry: 1340030745
- Sigstore integration time:
-
Permalink:
dcp-ai-protocol/dcp-ai@939c6fbf3124f4bea2f1d9dad45581219b9b0a61 -
Branch / Tag:
refs/tags/v2.0.2 - Owner: https://github.com/dcp-ai-protocol
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish-pypi.yml@939c6fbf3124f4bea2f1d9dad45581219b9b0a61 -
Trigger Event:
release
-
Statement type:
File details
Details for the file dcp_ai-2.0.2-py3-none-any.whl.
File metadata
- Download URL: dcp_ai-2.0.2-py3-none-any.whl
- Upload date:
- Size: 46.3 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.12
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
5582a995adffce1873c2c1368f21968fbda80a1e3fcd1beb5f081832000515ba
|
|
| MD5 |
e955530af1a1907264bcda7d3038d3f0
|
|
| BLAKE2b-256 |
332b286e98da9afc06e353a2cab99759130c7b0a3f5f11e7e8f527ae627f7fd8
|
Provenance
The following attestation bundles were made for dcp_ai-2.0.2-py3-none-any.whl:
Publisher:
publish-pypi.yml on dcp-ai-protocol/dcp-ai
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
dcp_ai-2.0.2-py3-none-any.whl -
Subject digest:
5582a995adffce1873c2c1368f21968fbda80a1e3fcd1beb5f081832000515ba - Sigstore transparency entry: 1340030752
- Sigstore integration time:
-
Permalink:
dcp-ai-protocol/dcp-ai@939c6fbf3124f4bea2f1d9dad45581219b9b0a61 -
Branch / Tag:
refs/tags/v2.0.2 - Owner: https://github.com/dcp-ai-protocol
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish-pypi.yml@939c6fbf3124f4bea2f1d9dad45581219b9b0a61 -
Trigger Event:
release
-
Statement type: