openclaw-aisa-youtubeYouTube Search API via AIsa unified endpoint. Search YouTube videos, channels, and playlists with a single AIsa API key โ no Google API key or OAuth required...
Install via ClawdBot CLI:
clawdbot install 0xjordansg-yolo/openclaw-aisa-youtubeSearch YouTube videos, channels, and playlists through AIsa's unified API. No Google API key or OAuth setup needed โ just your AIsa API key.
# Search for videos (using requests โ recommended)
python <<'EOF'
import os, json, requests
results = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers={'Authorization': f'Bearer {os.environ["AISA_API_KEY"]}'},
params={'engine': 'youtube', 'q': 'coding tutorial'}
).json()
print(json.dumps(results, indent=2))
EOF
https://api.aisa.one/apis/v1/youtube/search
All YouTube search requests go through this single endpoint. AIsa handles authentication with the underlying YouTube data source โ you only need your AIsa API key.
All requests require the AIsa API key in the Authorization header:
Authorization: Bearer $AISA_API_KEY
Environment Variable: Set your API key as AISA_API_KEY:
export AISA_API_KEY="YOUR_AISA_API_KEY"
GET /apis/v1/youtube/search
| Parameter | Type | Required | Description |
|-----------|------|----------|-------------|
| engine | string | Yes | Must be youtube |
| q | string | Yes | Search query (same syntax as YouTube search box) |
| sp | string | No | YouTube filter token for pagination or advanced filters |
| gl | string | No | Country code for localized results (e.g., us, jp, gb). Not all country codes are supported โ see notes below |
| hl | string | No | Interface language (e.g., en, zh, ja) |
curl -s -X GET "https://api.aisa.one/apis/v1/youtube/search?engine=youtube&q=machine+learning+tutorial" \
-H "Authorization: Bearer $AISA_API_KEY"
curl -s -X GET "https://api.aisa.one/apis/v1/youtube/search?engine=youtube&q=AI+news&gl=us&hl=en" \
-H "Authorization: Bearer $AISA_API_KEY"
sp Token# Use the sp token from a previous response to get the next page
curl -s -X GET "https://api.aisa.one/apis/v1/youtube/search?engine=youtube&q=python+tutorial&sp=EgIQAQ%3D%3D" \
-H "Authorization: Bearer $AISA_API_KEY"
The API returns structured YouTube search results including video metadata, channel info, thumbnails, and pagination tokens.
Note: The response structure may vary by query language. English queries typically return results in the videos array. Some non-English queries may return results grouped in a sections array instead. Always check for both fields.
{
"search_metadata": {
"status": "Success",
"total_time_taken": 1.2
},
"search_parameters": {
"engine": "youtube",
"q": "machine learning tutorial"
},
"next_page_token": "CBQQABoCEgA%3D",
"videos": [
{
"position_on_page": 1,
"title": "Machine Learning Full Course for Beginners",
"link": "https://www.youtube.com/watch?v=abc123xyz",
"channel": {
"name": "Tech Academy",
"link": "https://www.youtube.com/channel/UCxyz123",
"thumbnail": "https://yt3.ggpht.com/..."
},
"published_date": "2 months ago",
"views": 1500000,
"length": "3:45:20",
"description": "Complete machine learning tutorial...",
"thumbnail": {
"static": "https://i.ytimg.com/vi/abc123xyz/hq720.jpg",
"rich": "https://i.ytimg.com/an_webp/abc123xyz/mqdefault_6s.webp"
}
}
]
}
Alternate response structure (non-English / some queries):
Some queries return results grouped in sections instead of a flat videos array:
{
"sections": [
{
"title": "ๆ็ดข็ปๆ",
"videos": [
{
"title": "็ผ็จๆ็จ...",
"link": "https://www.youtube.com/watch?v=...",
...
}
]
}
]
}
Parsing both formats:
# Handle both response structures
videos = results.get('videos', [])
if not videos and 'sections' in results:
for section in results['sections']:
videos.extend(section.get('videos', []))
YouTube's q parameter supports the same search syntax as the YouTube search box:
| Search Syntax | Description | Example |
|---------------|-------------|---------|
| Basic keywords | Standard search | q=python tutorial |
| Exact phrase | Quote for exact match | q="machine learning basics" |
| Channel filter | Search within a channel | q=channel:GoogleDevelopers python |
| Duration hint | Combine with keywords | q=python tutorial long |
sp Filter TokenThe sp parameter accepts YouTube's encoded filter tokens. Common values:
| Filter | sp Value | Description |
|--------|-----------|-------------|
| Videos only | EgIQAQ%3D%3D | Filter to video results only |
| Channels only | EgIQAg%3D%3D | Filter to channel results only |
| Playlists only | EgIQAw%3D%3D | Filter to playlist results only |
| Live now | EgJAAQ%3D%3D | Currently live streams |
| This week | EgIIAw%3D%3D | Uploaded this week |
| This month | EgIIBA%3D%3D | Uploaded this month |
| Short (<4 min) | EgIYAQ%3D%3D | Short duration videos |
| Long (>20 min) | EgIYAg%3D%3D | Long duration videos |
You can also obtain sp tokens from the next_page_token field in previous API responses for pagination.
Use the next_page_token from a response to fetch the next page of results:
# First page
results = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers=headers,
params={'engine': 'youtube', 'q': 'python tutorial'}
).json()
# Get next page token
next_token = results.get('next_page_token')
if next_token:
page2 = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers=headers,
params={'engine': 'youtube', 'q': 'python tutorial', 'sp': next_token}
).json()
const headers = {
'Authorization': `Bearer ${process.env.AISA_API_KEY}`
};
// Basic YouTube search
const results = await fetch(
'https://api.aisa.one/apis/v1/youtube/search?engine=youtube&q=AI+agents+tutorial',
{ headers }
).then(r => r.json());
console.log(results.videos);
// Search with filters
const filtered = await fetch(
'https://api.aisa.one/apis/v1/youtube/search?engine=youtube&q=deep+learning&gl=us&hl=en&sp=EgIQAQ%3D%3D',
{ headers }
).then(r => r.json());
import os
import requests
headers = {'Authorization': f'Bearer {os.environ["AISA_API_KEY"]}'}
# Basic YouTube search
results = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers=headers,
params={'engine': 'youtube', 'q': 'AI agents tutorial'}
).json()
for video in results.get('videos', []):
print(f"{video['title']} - {video.get('views', 'N/A')} views")
# Search with country and language
results_jp = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers=headers,
params={'engine': 'youtube', 'q': 'ใใญใฐใฉใใณใฐ', 'gl': 'jp', 'hl': 'ja'}
).json()
Note:urllibmay encounter 403 errors due to its default User-Agent. Usingrequests(above) is recommended. If you must useurllib, always set a custom User-Agent header.
import urllib.request, urllib.parse, os, json
def youtube_search(query, gl=None, hl=None, sp=None):
"""Search YouTube via AIsa API."""
params = {'engine': 'youtube', 'q': query}
if gl: params['gl'] = gl
if hl: params['hl'] = hl
if sp: params['sp'] = sp
url = f'https://api.aisa.one/apis/v1/youtube/search?{urllib.parse.urlencode(params)}'
req = urllib.request.Request(url)
req.add_header('Authorization', f'Bearer {os.environ["AISA_API_KEY"]}')
req.add_header('User-Agent', 'AIsa-Skill/1.0')
return json.load(urllib.request.urlopen(req))
# Search
results = youtube_search('OpenClaw tutorial', gl='us', hl='en')
# Handle both response formats
videos = results.get('videos', [])
if not videos and 'sections' in results:
for section in results['sections']:
videos.extend(section.get('videos', []))
print(json.dumps(videos[:3], indent=2))
One of the key advantages of AIsa is the unified API key. Use the same AISA_API_KEY to combine YouTube search with other AIsa capabilities:
import os, requests, json
headers = {'Authorization': f'Bearer {os.environ["AISA_API_KEY"]}'}
# 1. Search YouTube
yt_results = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers=headers,
params={'engine': 'youtube', 'q': 'latest AI developments 2026'}
).json()
# 2. Summarize with LLM (same API key!)
video_titles = [v['title'] for v in yt_results.get('videos', [])[:5]]
summary = requests.post(
'https://api.aisa.one/v1/chat/completions',
headers={**headers, 'Content-Type': 'application/json'},
json={
'model': 'qwen3-flash',
'messages': [
{'role': 'user', 'content': f'Summarize the trending AI topics based on these YouTube videos: {json.dumps(video_titles)}'}
]
}
).json()
print(summary['choices'][0]['message']['content'])
# Search both YouTube and the web for comprehensive research
yt_results = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers=headers,
params={'engine': 'youtube', 'q': 'AI agent frameworks 2026'}
).json()
web_results = requests.get(
'https://api.aisa.one/apis/v1/search/smart',
headers=headers,
params={'q': 'AI agent frameworks 2026'}
).json()
engine parameter must always be set to youtubehttps://www.youtube.com/watch?v={videoId}https://www.youtube.com/channel/{channelId}next_page_token from previous responses as the sp value for paginationgl (country) parameter does not support all ISO country codes. Known unsupported values include cn (China). If you get Unsupported value errors, try omitting gl or use a different country codesections array instead of a flat videos array โ always handle both formatsurllib may return 403 errors due to its default User-Agent. Use the requests library instead, or add a custom User-Agent header$AISA_API_KEY are properly expandedjq, use -s flag and ensure the API key is set| Status | Meaning |
|--------|---------|
| 200 | Successful search response |
| 400 | Invalid request parameters (missing engine or q) |
| 401 | Unauthorized โ invalid or missing AIsa API key |
| 429 | Rate limited |
| 500 | Internal server error |
AISA_API_KEY environment variable is set:echo $AISA_API_KEY
python <<'EOF'
import os, json, requests
try:
result = requests.get(
'https://api.aisa.one/apis/v1/youtube/search',
headers={'Authorization': f'Bearer {os.environ["AISA_API_KEY"]}'},
params={'engine': 'youtube', 'q': 'test'}
).json()
videos = result.get('videos', [])
print(f"โ
API key is valid. Results: {len(videos)} videos found")
except Exception as e:
print(f"โ Error: {e}")
EOF
gl, verify the country code is supported โ not all ISO codes work (e.g., cn is unsupported). Try omitting gl to testengine=youtube is included in every requestsections instead of videos (common for non-English queries)Generated Mar 1, 2026
An online learning platform uses this skill to automatically search and curate YouTube tutorials for specific topics like Python programming or machine learning. It integrates with their course builder to recommend supplementary video content, enhancing learning materials with up-to-date resources.
A media agency employs this skill to monitor YouTube trends by searching for videos and channels related to client industries, such as fashion or tech. It helps analyze competitor content, track viral topics, and gather insights for marketing strategies without manual browsing.
A news aggregation app uses this skill to fetch the latest YouTube videos on current events, such as AI news or global developments. It filters results by country and language to provide localized content feeds, keeping users informed with video updates.
A developer forum integrates this skill to allow users to search for coding tutorials or tech reviews directly within the platform. It supports advanced filters like video duration or channel-specific searches, helping members quickly find relevant educational content.
A streaming service uses this skill to search YouTube for complementary content, such as behind-the-scenes videos or fan-made playlists related to their shows. It enhances user engagement by offering curated video recommendations alongside their main content library.
A software-as-a-service company bundles this skill into their platform as a premium feature for content discovery. They charge subscription fees based on API usage tiers, targeting businesses that need automated YouTube search without managing Google API keys.
An affiliate marketing tool uses this skill to search for product review videos on YouTube and generate referral links. It monetizes by earning commissions on sales driven through these links, focusing on niches like tech gadgets or beauty products.
A data analytics firm offers insights by leveraging this skill to collect YouTube search data on trends and competitor performance. They sell customized reports to brands and agencies, generating revenue through one-time project fees or retainer contracts.
๐ฌ Integration Tip
Set the AISA_API_KEY environment variable and handle both 'videos' and 'sections' response structures for robust parsing across different queries.
Fetch and read transcripts from YouTube videos. Use when you need to summarize a video, answer questions about its content, or extract information from it.
Fetch and summarize YouTube video transcripts. Use when asked to summarize, transcribe, or extract content from YouTube videos. Handles transcript fetching via residential IP proxy to bypass YouTube's cloud IP blocks.
Browse, search, post, and moderate Reddit. Read-only works without auth; posting/moderation requires OAuth setup.
Interact with Twitter/X โ read tweets, search, post, like, retweet, and manage your timeline.
LinkedIn automation via browser relay or cookies for messaging, profile viewing, and network actions.
Search YouTube videos, get channel info, fetch video details and transcripts using YouTube Data API v3 via MCP server or yt-dlp fallback.