Rank
83
A Model Context Protocol (MCP) server for GitLab
Traction
No public download signal
Freshness
Updated 2d ago
Crawler Summary
Build AI agents using Google's Agent Development Kit (ADK) for Python. Use this skill when the user wants to create ADK agents, multi-agent systems, agents with tools, workflow agents (Sequential, Parallel, Loop), or deploy agents to Google Cloud. Triggers include mentions of "ADK", "Agent Development Kit", "google-adk", "adk agent", "multi-agent system", or requests to build AI agents with Google's framework. --- name: google-adk description: Build AI agents using Google's Agent Development Kit (ADK) for Python. Use this skill when the user wants to create ADK agents, multi-agent systems, agents with tools, workflow agents (Sequential, Parallel, Loop), or deploy agents to Google Cloud. Triggers include mentions of "ADK", "Agent Development Kit", "google-adk", "adk agent", "multi-agent system", or requests to build AI agen Capability contract not published. No trust telemetry is available yet. 1 GitHub stars reported by the source. Last updated 4/15/2026.
Freshness
Last checked 4/15/2026
Best For
google-adk is best for general automation workflows where MCP compatibility matters.
Not Ideal For
Contract metadata is missing or unavailable for deterministic execution.
Evidence Sources Checked
editorial-content, GITHUB OPENCLEW, runtime-metrics, public facts pack
Build AI agents using Google's Agent Development Kit (ADK) for Python. Use this skill when the user wants to create ADK agents, multi-agent systems, agents with tools, workflow agents (Sequential, Parallel, Loop), or deploy agents to Google Cloud. Triggers include mentions of "ADK", "Agent Development Kit", "google-adk", "adk agent", "multi-agent system", or requests to build AI agents with Google's framework. --- name: google-adk description: Build AI agents using Google's Agent Development Kit (ADK) for Python. Use this skill when the user wants to create ADK agents, multi-agent systems, agents with tools, workflow agents (Sequential, Parallel, Loop), or deploy agents to Google Cloud. Triggers include mentions of "ADK", "Agent Development Kit", "google-adk", "adk agent", "multi-agent system", or requests to build AI agen
Public facts
5
Change events
1
Artifacts
0
Freshness
Apr 15, 2026
Capability contract not published. No trust telemetry is available yet. 1 GitHub stars reported by the source. Last updated 4/15/2026.
Trust score
Unknown
Compatibility
MCP
Freshness
Apr 15, 2026
Vendor
Prakhar1989
Artifacts
0
Benchmarks
0
Last release
Unpublished
Key links, install path, and a quick operational read before the deeper crawl record.
Summary
Capability contract not published. No trust telemetry is available yet. 1 GitHub stars reported by the source. Last updated 4/15/2026.
Setup snapshot
git clone https://github.com/prakhar1989/adk-skill.gitSetup complexity is LOW. This package is likely designed for quick installation with minimal external side-effects.
Final validation: Expose the agent to a mock request payload inside a sandbox and trace the network egress before allowing access to real customer data.
Everything public we have scraped or crawled about this agent, grouped by evidence type with provenance.
Vendor
Prakhar1989
Protocol compatibility
MCP
Adoption signal
1 GitHub stars
Handshake status
UNKNOWN
Crawlable docs
6 indexed pages on the official domain
Merged public release, docs, artifact, benchmark, pricing, and trust refresh events.
Extracted files, examples, snippets, parameters, dependencies, permissions, and artifact metadata.
Extracted files
0
Examples
6
Snippets
0
Languages
typescript
Parameters
text
my_agent/ ├── agent.py # Agent definition (must export root_agent) ├── tools.py # Custom tool functions (optional) ├── __init__.py # Package init └── .env # API keys (GOOGLE_API_KEY or GOOGLE_CLOUD_PROJECT)
text
my_project/ ├── agents/ │ ├── coordinator.py │ ├── specialist_a.py │ └── specialist_b.py ├── tools/ │ └── custom_tools.py ├── agent.py # Root agent entry point └── .env
python
from google.adk.agents import Agent
def get_weather(city: str) -> dict:
"""Get weather for a city. The docstring is critical - ADK uses it for tool schema."""
return {"status": "success", "temp": "72F", "city": city}
root_agent = Agent(
name="weather_agent",
model="gemini-3.0-flash-preview",
description="Provides weather information.",
instruction="You help users get weather. Use the get_weather tool when asked.",
tools=[get_weather],
)python
from google.adk.agents import LlmAgent
billing = LlmAgent(name="billing", model="gemini-3.0-flash-preview",
description="Handles billing and payment questions.")
support = LlmAgent(name="support", model="gemini-3.0-flash-preview",
description="Handles technical support.")
root_agent = LlmAgent(
name="coordinator",
model="gemini-3.0-flash-preview",
instruction="Route billing questions to billing agent, technical issues to support.",
sub_agents=[billing, support],
)python
from google.adk.agents import SequentialAgent, LlmAgent
step1 = LlmAgent(name="researcher", instruction="Research the topic.", output_key="research")
step2 = LlmAgent(name="writer", instruction="Write based on {research}.", output_key="draft")
step3 = LlmAgent(name="editor", instruction="Polish the {draft}.")
root_agent = SequentialAgent(name="content_pipeline", sub_agents=[step1, step2, step3])python
from google.adk.agents import ParallelAgent, SequentialAgent, LlmAgent
fetch_news = LlmAgent(name="news", output_key="news_data")
fetch_weather = LlmAgent(name="weather", output_key="weather_data")
gatherer = ParallelAgent(name="info_gather", sub_agents=[fetch_news, fetch_weather])
synthesizer = LlmAgent(name="synth", instruction="Combine {news_data} and {weather_data}.")
root_agent = SequentialAgent(name="pipeline", sub_agents=[gatherer, synthesizer])Full documentation captured from public sources, including the complete README when available.
Docs source
GITHUB OPENCLEW
Editorial quality
ready
Build AI agents using Google's Agent Development Kit (ADK) for Python. Use this skill when the user wants to create ADK agents, multi-agent systems, agents with tools, workflow agents (Sequential, Parallel, Loop), or deploy agents to Google Cloud. Triggers include mentions of "ADK", "Agent Development Kit", "google-adk", "adk agent", "multi-agent system", or requests to build AI agents with Google's framework. --- name: google-adk description: Build AI agents using Google's Agent Development Kit (ADK) for Python. Use this skill when the user wants to create ADK agents, multi-agent systems, agents with tools, workflow agents (Sequential, Parallel, Loop), or deploy agents to Google Cloud. Triggers include mentions of "ADK", "Agent Development Kit", "google-adk", "adk agent", "multi-agent system", or requests to build AI agen
Build AI agents using Google's Agent Development Kit (ADK) - a flexible, modular Python framework for developing, evaluating, and deploying AI agents.
Standard ADK project layout:
my_agent/
├── agent.py # Agent definition (must export root_agent)
├── tools.py # Custom tool functions (optional)
├── __init__.py # Package init
└── .env # API keys (GOOGLE_API_KEY or GOOGLE_CLOUD_PROJECT)
For multi-agent projects:
my_project/
├── agents/
│ ├── coordinator.py
│ ├── specialist_a.py
│ └── specialist_b.py
├── tools/
│ └── custom_tools.py
├── agent.py # Root agent entry point
└── .env
from google.adk.agents import Agent
def get_weather(city: str) -> dict:
"""Get weather for a city. The docstring is critical - ADK uses it for tool schema."""
return {"status": "success", "temp": "72F", "city": city}
root_agent = Agent(
name="weather_agent",
model="gemini-3.0-flash-preview",
description="Provides weather information.",
instruction="You help users get weather. Use the get_weather tool when asked.",
tools=[get_weather],
)
from google.adk.agents import LlmAgent
billing = LlmAgent(name="billing", model="gemini-3.0-flash-preview",
description="Handles billing and payment questions.")
support = LlmAgent(name="support", model="gemini-3.0-flash-preview",
description="Handles technical support.")
root_agent = LlmAgent(
name="coordinator",
model="gemini-3.0-flash-preview",
instruction="Route billing questions to billing agent, technical issues to support.",
sub_agents=[billing, support],
)
from google.adk.agents import SequentialAgent, LlmAgent
step1 = LlmAgent(name="researcher", instruction="Research the topic.", output_key="research")
step2 = LlmAgent(name="writer", instruction="Write based on {research}.", output_key="draft")
step3 = LlmAgent(name="editor", instruction="Polish the {draft}.")
root_agent = SequentialAgent(name="content_pipeline", sub_agents=[step1, step2, step3])
from google.adk.agents import ParallelAgent, SequentialAgent, LlmAgent
fetch_news = LlmAgent(name="news", output_key="news_data")
fetch_weather = LlmAgent(name="weather", output_key="weather_data")
gatherer = ParallelAgent(name="info_gather", sub_agents=[fetch_news, fetch_weather])
synthesizer = LlmAgent(name="synth", instruction="Combine {news_data} and {weather_data}.")
root_agent = SequentialAgent(name="pipeline", sub_agents=[gatherer, synthesizer])
from google.adk.agents import LoopAgent, LlmAgent, BaseAgent
from google.adk.events import Event, EventActions
class QualityChecker(BaseAgent):
async def _run_async_impl(self, ctx):
status = ctx.session.state.get("quality", "fail")
yield Event(author=self.name, actions=EventActions(escalate=(status == "pass")))
refiner = LlmAgent(name="refiner", instruction="Improve {draft}.", output_key="draft")
checker = LlmAgent(name="checker", instruction="Rate quality.", output_key="quality")
root_agent = LoopAgent(
name="refinement_loop",
max_iterations=5,
sub_agents=[refiner, checker, QualityChecker(name="gate")],
)
| Parameter | Required | Purpose |
|-----------|----------|---------|
| name | Yes | Unique identifier (avoid "user") |
| model | Yes | LLM model string (e.g., "gemini-3.0-flash-preview") |
| instruction | No | System prompt guiding behavior |
| description | No | Used by parent agents for delegation decisions |
| tools | No | List of functions or Tool instances |
| sub_agents | No | Child agents for multi-agent systems |
| output_key | No | Auto-save response to session state |
Use {var} in instructions to read from state. Use output_key to write to state.
agent_a = LlmAgent(name="a", output_key="result_a") # Writes to state["result_a"]
agent_b = LlmAgent(name="b", instruction="Process {result_a}.") # Reads state["result_a"]
Tool functions must have:
def search_database(query: str, limit: int = 10) -> dict:
"""Search the database for matching records.
Args:
query: The search query string.
limit: Maximum results to return (default 10).
Returns:
dict with 'status' and 'results' keys.
"""
return {"status": "success", "results": [...]}
# Install
pip install google-adk
# Set API key
export GOOGLE_API_KEY="your-key"
# Run CLI
adk run my_agent
# Run web UI (development only)
adk web --port 8000
# Run API server
adk api_server my_agent --port 8080
For APIs, UIs, or custom integrations, use Runner and Session directly:
from google.adk.agents import Agent
from google.adk.runners import Runner
from google.adk.sessions import InMemorySessionService
from google.genai import types
# Setup
agent = Agent(name="assistant", model="gemini-3.0-flash-preview", instruction="Be helpful.")
session_service = InMemorySessionService()
runner = Runner(agent=agent, app_name="my_app", session_service=session_service)
# Create session
await session_service.create_session(
app_name="my_app", user_id="user_123", session_id="session_456"
)
# Run agent
message = types.Content(role="user", parts=[types.Part(text="Hello!")])
async for event in runner.run_async(
user_id="user_123", session_id="session_456", new_message=message
):
if event.is_final_response():
print(event.content.parts[0].text)
See runtime.md for complete API/UI integration examples.
For detailed patterns and examples:
Machine endpoints, protocol fit, contract coverage, invocation examples, and guardrails for agent-to-agent use.
Contract coverage
Status
missing
Auth
None
Streaming
No
Data region
Unspecified
Protocol support
Requires: none
Forbidden: none
Guardrails
Operational confidence: low
curl -s "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/snapshot"
curl -s "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/contract"
curl -s "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/trust"
Trust and runtime signals, benchmark suites, failure patterns, and practical risk constraints.
Trust signals
Handshake
UNKNOWN
Confidence
unknown
Attempts 30d
unknown
Fallback rate
unknown
Runtime metrics
Observed P50
unknown
Observed P95
unknown
Rate limit
unknown
Estimated cost
unknown
Do not use if
Every public screenshot, visual asset, demo link, and owner-provided destination tied to this agent.
Neighboring agents from the same protocol and source ecosystem for comparison and shortlist building.
Rank
83
A Model Context Protocol (MCP) server for GitLab
Traction
No public download signal
Freshness
Updated 2d ago
Rank
80
A Model Context Protocol (MCP) server for GitLab
Traction
No public download signal
Freshness
Updated 2d ago
Rank
74
Expose OpenAPI definition endpoints as MCP tools using the official Rust SDK for the Model Context Protocol (https://github.com/modelcontextprotocol/rust-sdk)
Traction
No public download signal
Freshness
Updated 2d ago
Rank
72
An actix_web backend for the official Rust SDK for the Model Context Protocol (https://github.com/modelcontextprotocol/rust-sdk)
Traction
No public download signal
Freshness
Updated 2d ago
Contract JSON
{
"contractStatus": "missing",
"authModes": [],
"requires": [],
"forbidden": [],
"supportsMcp": false,
"supportsA2a": false,
"supportsStreaming": false,
"inputSchemaRef": null,
"outputSchemaRef": null,
"dataRegion": null,
"contractUpdatedAt": null,
"sourceUpdatedAt": null,
"freshnessSeconds": null
}Invocation Guide
{
"preferredApi": {
"snapshotUrl": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/snapshot",
"contractUrl": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/contract",
"trustUrl": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/trust"
},
"curlExamples": [
"curl -s \"https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/snapshot\"",
"curl -s \"https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/contract\"",
"curl -s \"https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/trust\""
],
"jsonRequestTemplate": {
"query": "summarize this repo",
"constraints": {
"maxLatencyMs": 2000,
"protocolPreference": [
"MCP"
]
}
},
"jsonResponseTemplate": {
"ok": true,
"result": {
"summary": "...",
"confidence": 0.9
},
"meta": {
"source": "GITHUB_OPENCLEW",
"generatedAt": "2026-04-16T23:45:01.036Z"
}
},
"retryPolicy": {
"maxAttempts": 3,
"backoffMs": [
500,
1500,
3500
],
"retryableConditions": [
"HTTP_429",
"HTTP_503",
"NETWORK_TIMEOUT"
]
}
}Trust JSON
{
"status": "unavailable",
"handshakeStatus": "UNKNOWN",
"verificationFreshnessHours": null,
"reputationScore": null,
"p95LatencyMs": null,
"successRate30d": null,
"fallbackRate": null,
"attempts30d": null,
"trustUpdatedAt": null,
"trustConfidence": "unknown",
"sourceUpdatedAt": null,
"freshnessSeconds": null
}Capability Matrix
{
"rows": [
{
"key": "MCP",
"type": "protocol",
"support": "unknown",
"confidenceSource": "profile",
"notes": "Listed on profile"
}
],
"flattenedTokens": "protocol:MCP|unknown|profile"
}Facts JSON
[
{
"factKey": "docs_crawl",
"category": "integration",
"label": "Crawlable docs",
"value": "6 indexed pages on the official domain",
"href": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceUrl": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceType": "search_document",
"confidence": "medium",
"observedAt": "2026-04-15T05:03:46.393Z",
"isPublic": true
},
{
"factKey": "vendor",
"category": "vendor",
"label": "Vendor",
"value": "Prakhar1989",
"href": "https://github.com/prakhar1989/adk-skill",
"sourceUrl": "https://github.com/prakhar1989/adk-skill",
"sourceType": "profile",
"confidence": "medium",
"observedAt": "2026-04-15T03:17:40.277Z",
"isPublic": true
},
{
"factKey": "protocols",
"category": "compatibility",
"label": "Protocol compatibility",
"value": "MCP",
"href": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/contract",
"sourceUrl": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/contract",
"sourceType": "contract",
"confidence": "medium",
"observedAt": "2026-04-15T03:17:40.277Z",
"isPublic": true
},
{
"factKey": "traction",
"category": "adoption",
"label": "Adoption signal",
"value": "1 GitHub stars",
"href": "https://github.com/prakhar1989/adk-skill",
"sourceUrl": "https://github.com/prakhar1989/adk-skill",
"sourceType": "profile",
"confidence": "medium",
"observedAt": "2026-04-15T03:17:40.277Z",
"isPublic": true
},
{
"factKey": "handshake_status",
"category": "security",
"label": "Handshake status",
"value": "UNKNOWN",
"href": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/trust",
"sourceUrl": "https://xpersona.co/api/v1/agents/prakhar1989-adk-skill/trust",
"sourceType": "trust",
"confidence": "medium",
"observedAt": null,
"isPublic": true
}
]Change Events JSON
[
{
"eventType": "docs_update",
"title": "Docs refreshed: Sign in to GitHub · GitHub",
"description": "Fresh crawlable documentation was indexed for the official domain.",
"href": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceUrl": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceType": "search_document",
"confidence": "medium",
"observedAt": "2026-04-15T05:03:46.393Z",
"isPublic": true
}
]Sponsored
Ads related to google-adk and adjacent AI workflows.