ydc-claude-agent-sdk-integration
Integrate Claude Agent SDK with You.com HTTP MCP server for Python and TypeScript.
Installation
npx clawhub@latest install ydc-claude-agent-sdk-integrationView the full skill documentation and source below.
Documentation
Integrate Claude Agent SDK with You.com MCP
Interactive workflow to set up Claude Agent SDK with You.com's HTTP MCP server.
Workflow
* Python or TypeScript?
* v1 (stable, generator-based) or v2 (preview, send/receive pattern)?
* Note: v2 requires TypeScript 5.2+ for
await using support
* Python:
pip install claude-agent-sdk* TypeScript:
npm install @anthropic-ai/claude-agent-sdk
* Using standard
YDC_API_KEY and ANTHROPIC_API_KEY?* Or custom names?
* Have they set them?
* If NO: Guide to get keys:
- YDC_API_KEY:
- ANTHROPIC_API_KEY:
* NEW file: Ask where to create and what to name
* EXISTING file: Ask which file to integrate into (add HTTP MCP config)
For NEW files:
* Use the complete template code from the "Complete Templates" section below
* User can run immediately with their API keys set
For EXISTING files:
* Add HTTP MCP server configuration to their existing code
* Python configuration block:
from claude_agent_sdk import query, ClaudeAgentOptions
options = ClaudeAgentOptions(
mcp_servers={
"ydc": {
"type": "http",
"url": "",
"headers": {
"Authorization": f"Bearer {os.getenv('YDC_API_KEY')}"
}
}
},
allowed_tools=[
"mcp__ydc__you_search",
"mcp__ydc__you_express",
"mcp__ydc__you_contents"
]
)
* TypeScript configuration block:
const options = {
mcpServers: {
ydc: {
type: 'http' as const,
url: '',
headers: {
Authorization: `Bearer ${process.env.YDC_API_KEY}`
}
}
},
allowedTools: [
'mcp__ydc__you_search',
'mcp__ydc__you_express',
'mcp__ydc__you_contents'
]
};
Complete Templates
Use these complete templates for new files. Each template is ready to run with your API keys set.
Python Template (Complete Example)
"""
Claude Agent SDK with You.com HTTP MCP Server
Python implementation with async/await pattern
"""
import os
import asyncio
from claude_agent_sdk import query, ClaudeAgentOptions
# Validate environment variables
ydc_api_key = os.getenv("YDC_API_KEY")
anthropic_api_key = os.getenv("ANTHROPIC_API_KEY")
if not ydc_api_key:
raise ValueError(
"YDC_API_KEY environment variable is required. "
"Get your key at: "
)
if not anthropic_api_key:
raise ValueError(
"ANTHROPIC_API_KEY environment variable is required. "
"Get your key at: "
)
async def main():
"""
Example: Search for AI news and get results from You.com MCP server
"""
# Configure Claude Agent with HTTP MCP server
options = ClaudeAgentOptions(
mcp_servers={
"ydc": {
"type": "http",
"url": "",
"headers": {"Authorization": f"Bearer {ydc_api_key}"},
}
},
allowed_tools=[
"mcp__ydc__you_search",
"mcp__ydc__you_express",
"mcp__ydc__you_contents",
],
model="claude-sonnet-4-5-20250929",
)
# Query Claude with MCP tools available
async for message in query(
prompt="Search for the latest AI news from this week",
options=options,
):
# Handle different message types
if message.type == "text":
print(message.content)
elif message.type == "tool_use":
print(f"\n[Tool: {message.name}]")
print(f"Input: {message.input}")
elif message.type == "tool_result":
print(f"Result: {message.content}")
if __name__ == "__main__":
asyncio.run(main())
TypeScript v1 Template (Complete Example)
/**
* Claude Agent SDK with You.com HTTP MCP Server
* TypeScript v1 implementation with generator-based pattern
*/
import { query } from '@anthropic-ai/claude-agent-sdk';
// Validate environment variables
const ydcApiKey = process.env.YDC_API_KEY;
const anthropicApiKey = process.env.ANTHROPIC_API_KEY;
if (!ydcApiKey) {
throw new Error(
'YDC_API_KEY environment variable is required. ' +
'Get your key at: '
);
}
if (!anthropicApiKey) {
throw new Error(
'ANTHROPIC_API_KEY environment variable is required. ' +
'Get your key at: '
);
}
/**
* Example: Search for AI news and get results from You.com MCP server
*/
async function main() {
// Query Claude with HTTP MCP configuration
const result = query({
prompt: 'Search for the latest AI news from this week',
options: {
mcpServers: {
ydc: {
type: 'http' as const,
url: '',
headers: {
Authorization: `Bearer ${ydcApiKey}`,
},
},
},
allowedTools: [
'mcp__ydc__you_search',
'mcp__ydc__you_express',
'mcp__ydc__you_contents',
],
model: 'claude-sonnet-4-5-20250929',
},
});
// Process messages as they arrive
for await (const msg of result) {
if (msg.type === 'text') {
console.log(msg.content);
} else if (msg.type === 'tool_use') {
console.log(`\n[Tool: ${msg.name}]`);
console.log(`Input: ${JSON.stringify(msg.input, null, 2)}`);
} else if (msg.type === 'tool_result') {
console.log(`Result: ${msg.content}`);
}
}
}
main().catch(console.error);
TypeScript v2 Template (Complete Example)
/**
* Claude Agent SDK with You.com HTTP MCP Server
* TypeScript v2 implementation with send/receive pattern
* Requires TypeScript 5.2+ for 'await using' support
*/
import { unstable_v2_createSession } from '@anthropic-ai/claude-agent-sdk';
// Validate environment variables
const ydcApiKey = process.env.YDC_API_KEY;
const anthropicApiKey = process.env.ANTHROPIC_API_KEY;
if (!ydcApiKey) {
throw new Error(
'YDC_API_KEY environment variable is required. ' +
'Get your key at: '
);
}
if (!anthropicApiKey) {
throw new Error(
'ANTHROPIC_API_KEY environment variable is required. ' +
'Get your key at: '
);
}
/**
* Example: Search for AI news and get results from You.com MCP server
*/
async function main() {
// Create session with HTTP MCP configuration
// 'await using' ensures automatic cleanup when scope exits
await using session = unstable_v2_createSession({
mcpServers: {
ydc: {
type: 'http' as const,
url: '',
headers: {
Authorization: `Bearer ${ydcApiKey}`,
},
},
},
allowedTools: [
'mcp__ydc__you_search',
'mcp__ydc__you_express',
'mcp__ydc__you_contents',
],
model: 'claude-sonnet-4-5-20250929',
});
// Send message to Claude
await session.send('Search for the latest AI news from this week');
// Receive and process messages
for await (const msg of session.receive()) {
if (msg.type === 'text') {
console.log(msg.content);
} else if (msg.type === 'tool_use') {
console.log(`\n[Tool: ${msg.name}]`);
console.log(`Input: ${JSON.stringify(msg.input, null, 2)}`);
} else if (msg.type === 'tool_result') {
console.log(`Result: ${msg.content}`);
}
}
}
main().catch(console.error);
HTTP MCP Server Configuration
All templates use You.com's HTTP MCP server for simplicity:
Python:
mcp_servers={
"ydc": {
"type": "http",
"url": "",
"headers": {
"Authorization": f"Bearer {ydc_api_key}"
}
}
}
TypeScript:
mcpServers: {
ydc: {
type: 'http' as const,
url: '',
headers: {
Authorization: `Bearer ${ydcApiKey}`
}
}
}
Benefits of HTTP MCP:
- ✅ No local installation required
- ✅ Stateless request/response model
- ✅ Always up-to-date with latest version
- ✅ Consistent across all environments
- ✅ Production-ready and scalable
- ✅ Works with existing HTTP infrastructure
Available You.com Tools
After configuration, Claude can discover and use:
mcp__ydc__you_search- Web and news searchmcp__ydc__you_express- AI-powered answers with web contextmcp__ydc__you_contents- Web page content extraction
Environment Variables
Both API keys are required:
# Add to your .env file or shell profile
export YDC_API_KEY="your-you-api-key-here"
export ANTHROPIC_API_KEY="your-anthropic-api-key-here"
Get your API keys:
- You.com:
- Anthropic:
Validation Checklist
Before completing:
- ○Package installed:
claude-agent-sdk(Python) or@anthropic-ai/claude-agent-sdk(TypeScript) - ○Environment variables set:
YDC_API_KEYandANTHROPIC_API_KEY - ○Template copied or configuration added to existing file
- ○HTTP MCP server configured (
) - [ ] Authorization header includesBearer ${YDC_API_KEY}- [ ] Allowed tools list includes You.com tools - [ ] File is executable (Python) or can be compiled (TypeScript) - [ ] Ready to test with example query ## Testing Your Integration **Python:** __CODE_BLOCK_8__ **TypeScript:** __CODE_BLOCK_9__ ## Common Issues Cannot find module @anthropic-ai/claude-agent-sdk Install the package: __CODE_BLOCK_10__ YDC_API_KEY environment variable is required Set your You.com API key: __CODE_BLOCK_11__ Get your key at: ANTHROPIC_API_KEY environment variable is required Set your Anthropic API key: __CODE_BLOCK_12__ Get your key at:MCP connection fails with 401 Unauthorized Verify your YDC_API_KEY is valid: 1. Check the key at 2. Ensure no extra spaces or quotes in the environment variable 3. Verify the Authorization header format:Bearer ${YDC_API_KEY}Tools not available or not being called EnsureallowedToolsincludes the correct tool names: -mcp__ydc__you_search(notyou_search) -mcp__ydc__you_express(notyou_express) -mcp__ydc__you_contents(notyou_contents) Tool names must include themcp__ydc__prefix.TypeScript error: Cannot use 'await using' The v2 SDK requires TypeScript 5.2+ forawait using` syntax.
npm install -D typescript@latest
Solution 2: Use manual cleanup
const session = unstable_v2_createSession({ /* options */ });
try {
await session.send('Your query');
for await (const msg of session.receive()) {
// Process messages
}
} finally {
session.close();
}
Solution 3: Use v1 SDK instead
Choose v1 during setup for broader TypeScript compatibility.
Additional Resources
- You.com MCP Server:
- Claude Agent SDK (Python):
- Claude Agent SDK (TypeScript v1):
- Claude Agent SDK (TypeScript v2):
- API Keys: