EYDII Verify tools and callbacks for Google ADK — verify every agent action before execution
Project description
google-adk-eydii
Eydii tools and callbacks for Google ADK -- verify every agent action before execution.
Why EYDII?
When AI agents act autonomously, you need a way to enforce rules that the agents themselves cannot override. EYDII sits between your agents and their actions -- every sensitive operation is verified against your policies in real time, with a cryptographic proof trail. No more hoping the system prompt holds; Eydii gives you external, tamper-proof verification that works even when agents delegate to other agents.
Install
pip install google-adk-eydii
This installs eydii_google_adk and its dependencies (veritera SDK and google-adk).
Prerequisites: Create a Policy
Before using EYDII with Google ADK, create a policy that defines what your agents are allowed to do. You only need to do this once:
from veritera import Eydii
eydii = Eydii(api_key="vt_live_...") # Get your key at id.veritera.ai
# Create a policy from code
eydii.create_policy_sync(
name="finance-controls",
description="Controls for multi-agent financial operations",
rules=[
{"type": "action_whitelist", "params": {"allowed": ["trade.execute", "refund.process", "report.generate"]}},
{"type": "amount_limit", "params": {"max": 10000, "currency": "USD"}},
],
)
# Or generate one from plain English
eydii.generate_policy_sync(
"Allow trades under $10,000, refund processing, and report generation. Block all account deletions and unauthorized data exports.",
save=True,
)
A default policy is created automatically when you sign up -- it blocks dangerous actions like database drops and admin overrides. You can use it immediately with policy="default".
Tip:
pip install veriterato get the policy management SDK. See the full policy docs.
Quick Start
import os
from google.adk import Agent
from eydii_google_adk import EydiiVerifyTool, eydii_before_tool_callback
os.environ["VERITERA_API_KEY"] = "vt_live_..."
# 1. Create a EYDII verification tool
eydii = EydiiVerifyTool(policy="finance-controls") # create this policy first (see above) -- or use "default"
# 2. Give it to your agent as an explicit tool
agent = Agent(
name="finance-bot",
tools=[eydii.as_tool()],
)
# Or use a callback to verify ALL tool calls automatically
agent = Agent(
name="finance-bot",
tools=[send_payment, check_balance],
before_tool_callback=eydii_before_tool_callback(policy="finance-controls"),
)
Every tool call is verified against your EYDII policy. If an action is denied, the agent receives a denial message and adjusts its plan. The tool never executes.
Tutorial: Building a Verified Multi-Agent Workflow
This walkthrough builds a Google ADK agent where tools are protected by EYDII -- with automatic verification catching unauthorized operations.
The Problem with Autonomous Agents
Google ADK agents make autonomous tool calls. But when agents act on their own:
- System prompts drift -- the LLM may ignore or reinterpret safety instructions over long conversations.
- Inline rules are invisible -- sub-agents and delegated tasks lose the original guardrails.
- Chained actions compound risk -- a data lookup (harmless) feeds an analysis (maybe harmless) that triggers a payment (definitely not harmless).
Eydii solves this by moving verification outside the agents. Every action hits the same external policy engine. No matter how the agent reasons, Eydii catches violations.
Step 1 -- Set Up Your Environment
import os
from google.adk import Agent
from eydii_google_adk import (
EydiiVerifyTool,
eydii_before_tool_callback,
eydii_wrap_tool,
)
os.environ["VERITERA_API_KEY"] = "vt_live_..."
os.environ["GOOGLE_API_KEY"] = "..."
Step 2 -- Define Tools with EYDII Verification
# Option A: Wrap individual tools with the decorator
@eydii_wrap_tool(policy="finance-controls")
def send_payment(amount: float, recipient: str) -> str:
"""Send a payment to a recipient."""
return f"Sent ${amount} to {recipient}"
@eydii_wrap_tool(policy="finance-controls")
def delete_records(table: str, condition: str) -> str:
"""Delete records from a database table."""
return f"Deleted records from {table} where {condition}"
def check_balance(account_id: str) -> str:
"""Check account balance (read-only, no verification needed)."""
return f"Account {account_id}: $12,340.00"
Step 3 -- Build the Agent
agent = Agent(
name="finance-bot",
model="gemini-2.0-flash",
tools=[send_payment, delete_records, check_balance],
)
Step 4 -- Run It
# Approved scenario
response = agent.run("Send $500 to vendor@acme.com")
# Eydii APPROVED: send_payment -> executes normally
# Denied scenario
response = agent.run("Delete all records from the customers table")
# Eydii DENIED: delete_records -> returns denial message, tool never executes
What Happens at Runtime
- Agent decides to call a tool (e.g.,
send_payment). - Eydii intercepts -- the wrapper sends a verification request to the EYDII API.
- Policy evaluates -- Eydii checks the action and parameters against your defined policies.
- Result returned --
APPROVED(tool executes) orDENIED(tool blocked, agent gets denial message). - Audit trail -- every verification produces a
proof_idlinking to a permanent record.
Three Integration Points
1. EydiiVerifyTool -- Explicit Verification Tool
Give agents a tool they can call to check whether an action is allowed.
from eydii_google_adk import EydiiVerifyTool
from google.adk import Agent
eydii = EydiiVerifyTool(
policy="finance-controls",
agent_id="finance-bot",
fail_closed=True,
)
agent = Agent(
name="finance-bot",
tools=[eydii.as_tool()],
)
The agent calls eydii_verify(action="payment.create", params='{"amount": 500}') and receives:
APPROVED: Allowed | proof_id: fp_abc123 | latency: 42ms-- proceed with the action.DENIED: Amount exceeds $200 limit | proof_id: fp_def456 | Do NOT proceed with this action.-- the agent adjusts its plan.
2. eydii_before_tool_callback -- Automatic Pre-Tool Verification
Intercepts every tool call automatically. No changes to your tools required.
from eydii_google_adk import eydii_before_tool_callback
from google.adk import Agent
agent = Agent(
name="finance-bot",
tools=[send_payment, check_balance, delete_records],
before_tool_callback=eydii_before_tool_callback(
policy="finance-controls",
agent_id="finance-bot",
skip_actions=["check_balance"], # read-only, no verification needed
on_blocked=lambda action, reason: print(f"BLOCKED: {action} -- {reason}"),
),
)
When to use: Most cases. You want a security layer that works regardless of what the LLM decides to do.
3. eydii_wrap_tool -- Decorator for Individual Tools
Wraps specific tool functions with verification. Only the wrapped tools are verified.
from eydii_google_adk import eydii_wrap_tool
@eydii_wrap_tool(policy="finance-controls")
def send_payment(amount: float, recipient: str) -> str:
"""Send a payment to a recipient."""
return process_payment(amount, recipient)
@eydii_wrap_tool(policy="finance-controls")
def delete_records(table: str, condition: str) -> str:
"""Delete records from a database table."""
return delete_from_table(table, condition)
When to use: When you want per-tool control, or when some tools need different policies than others.
Configuration Reference
| Parameter | Type | Default | Description |
|---|---|---|---|
api_key |
str |
VERITERA_API_KEY env var |
Your EYDII API key. Starts with vt_live_ (production) or vt_test_ (sandbox). |
base_url |
str |
https://veritera.ai |
EYDII API endpoint. Override for self-hosted deployments. |
agent_id |
str |
"google-adk-agent" |
Identifier for this agent in Eydii audit logs and dashboards. |
policy |
str |
None |
Policy name to evaluate actions against. When None, the default policy for your API key is used. |
fail_closed |
bool |
True |
When True, actions are denied if the EYDII API is unreachable. When False, actions are allowed through on API failure. |
timeout |
float |
10.0 |
HTTP request timeout in seconds for the EYDII API call. |
skip_actions |
list[str] |
[] |
Tool names that bypass verification entirely. Use for read-only or low-risk tools. |
on_verified |
Callable |
None |
Callback function (action: str, result) -> None called when an action is approved. |
on_blocked |
Callable |
None |
Callback function (action: str, reason: str) -> None called when an action is denied. |
How It Works
User message
|
v
Google ADK Agent decides to call a tool
|
v
EYDII verification layer (callback / wrapper / explicit tool)
|
+---> Is tool in skip_actions?
| YES --> Execute tool normally
| NO --> Call Eydii /v1/verify
| |
| +---> APPROVED
| | --> Execute tool normally
| | --> Call on_verified callback
| |
| +---> DENIED
| | --> Return denial message
| | --> Call on_blocked callback
| | --> Tool NEVER executes
| |
| +---> API ERROR
| --> fail_closed=True? --> Deny
| --> fail_closed=False? --> Execute tool
v
Agent receives tool result (or denial message)
|
v
Agent responds to user
Each verification call sends the following to EYDII:
- action -- the tool name (e.g.,
"send_payment") - agent_id -- which agent is making the call
- params -- the tool arguments as a dictionary
- policy -- which policy to evaluate against
EYDII evaluates the action and returns a verdict with a proof_id for audit trail purposes.
Error Handling
EYDII API Unreachable
Controlled by fail_closed:
# fail_closed=True (default) -- deny the action when Eydii is unreachable
eydii = EydiiVerifyTool(policy="controls", fail_closed=True)
# fail_closed=False -- allow the action through when Eydii is unreachable
eydii = EydiiVerifyTool(policy="controls", fail_closed=False)
Invalid Parameters
If the agent passes malformed JSON as params, the tool wraps it safely:
# Agent calls: eydii_verify(action="test", params="not valid json")
# Tool parses it as: {"raw": "not valid json"} and proceeds with verification
Logging
All verification decisions are logged via Python's logging module under the eydii_google_adk logger:
import logging
logging.getLogger("eydii_google_adk").setLevel(logging.DEBUG)
Log output:
DEBUG:eydii_google_adk:Eydii APPROVED: send_payment (proof=fp_abc123)
WARNING:eydii_google_adk:Eydii DENIED: delete_records -- Destructive operations blocked
ERROR:eydii_google_adk:Eydii verify error for send_email: Connection timed out
Environment Variables
| Variable | Required | Description |
|---|---|---|
VERITERA_API_KEY |
Yes (unless passed directly) | Your EYDII API key. Get one at veritera.ai/dashboard. |
GOOGLE_API_KEY |
For Gemini models | Required if using Gemini models via Google ADK. |
You can also pass the API key directly to avoid environment variables:
eydii = EydiiVerifyTool(api_key="vt_live_...", policy="my-policy")
Other Eydii Integrations
Eydii works across the major agent frameworks. Use the same policies and audit trail regardless of which framework you choose.
| Framework | Package | Install |
|---|---|---|
| Google ADK | google-adk-eydii | pip install google-adk-eydii |
| OpenAI Agents SDK | openai-eydii | pip install openai-eydii |
| LangGraph | langchain-eydii | pip install langchain-eydii |
| CrewAI | crewai-eydii | pip install crewai-eydii |
| LlamaIndex | llamaindex-eydii | pip install llamaindex-eydii |
| Python SDK | veritera | pip install veritera |
Resources
License
MIT -- Eydii by Veritera AI
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 google_adk_eydii-0.1.1.tar.gz.
File metadata
- Download URL: google_adk_eydii-0.1.1.tar.gz
- Upload date:
- Size: 15.2 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.1
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
ecb1dddd64badddebe83c036a2c38fcc5794c2ab088feb931810f190314b7909
|
|
| MD5 |
c2ca9c07eadbbfb2acca1c906b22c93c
|
|
| BLAKE2b-256 |
e15d397dc4972093dcf01239b44919c256aefd11c8a94fd3499c428f937d24e0
|
File details
Details for the file google_adk_eydii-0.1.1-py3-none-any.whl.
File metadata
- Download URL: google_adk_eydii-0.1.1-py3-none-any.whl
- Upload date:
- Size: 12.5 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.13.1
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
1690932e33eb7c471c487dca91945557645993ba35ea0895105bb595a09836b4
|
|
| MD5 |
c24068b899dd135df2f3ac273105342f
|
|
| BLAKE2b-256 |
73f4307c547e8d1730acd5f173f786022572061da39fe662100e1f925a77d290
|