{"id":"8b86de2f-0cdc-45de-b2d3-5312432e56dc","shortId":"wnSa3J","kind":"skill","title":"Youtube Summarizer","tagline":"Antigravity Awesome Skills skill by Sickn33","description":"# youtube-summarizer\n\n## Purpose\n\nThis skill extracts transcripts from YouTube videos and generates comprehensive, verbose summaries using the STAR + R-I-S-E framework. It validates video availability, extracts transcripts using the `youtube-transcript-api` Python library, and produces detailed documentation capturing all insights, arguments, and key points.\n\nThe skill is designed for users who need thorough content analysis and reference documentation from educational videos, lectures, tutorials, or informational content.\n\n## When to Use This Skill\n\nThis skill should be used when:\n\n- User provides a YouTube video URL and wants a detailed summary\n- User needs to document video content for reference without rewatching\n- User wants to extract insights, key points, and arguments from educational content\n- User needs transcripts from YouTube videos for analysis\n- User asks to \"summarize\", \"resume\", or \"extract content\" from YouTube videos\n- User wants comprehensive documentation prioritizing completeness over brevity\n\n## Step 0: Discovery & Setup\n\nBefore processing videos, validate the environment and dependencies:\n\n```bash\n# Check if youtube-transcript-api is installed\npython3 -c \"import youtube_transcript_api\" 2>/dev/null\nif [ $? -ne 0 ]; then\n    echo \"⚠️  youtube-transcript-api not found\"\n    # Offer to install\nfi\n\n# Check Python availability\nif ! command -v python3 &>/dev/null; then\n    echo \"❌ Python 3 is required but not installed\"\n    exit 1\nfi\n```\n\n**Ask the user if dependency is missing:**\n\n```\nyoutube-transcript-api is required but not installed.\n\nWould you like to install it now?\n- [ ] Yes - Install with pip (pip install youtube-transcript-api)\n- [ ] No - I'll install it manually\n```\n\n**If user selects \"Yes\":**\n\n```bash\npip install youtube-transcript-api\n```\n\n**Verify installation:**\n\n```bash\npython3 -c \"import youtube_transcript_api; print('✅ youtube-transcript-api installed successfully')\"\n```\n\n## Main Workflow\n\n### Progress Tracking Guidelines\n\nThroughout the workflow, display a visual progress gauge before each step to keep the user informed. The gauge format is:\n\n```bash\necho \"[████░░░░░░░░░░░░░░░░] 20% - Step 1/5: Validating URL\"\n```\n\n**Format specifications:**\n- 20 characters wide (use █ for filled, ░ for empty)\n- Percentage increments: Step 1=20%, Step 2=40%, Step 3=60%, Step 4=80%, Step 5=100%\n- Step counter showing current/total (e.g., \"Step 3/5\")\n- Brief description of current phase\n\n**Display the initial status box before Step 1:**\n\n```\n╔══════════════════════════════════════════════════════════════╗\n║     📹  YOUTUBE SUMMARIZER - Processing Video                ║\n╠══════════════════════════════════════════════════════════════╣\n║ → Step 1: Validating URL                 [IN PROGRESS]       ║\n║ ○ Step 2: Checking Availability                              ║\n║ ○ Step 3: Extracting Transcript                              ║\n║ ○ Step 4: Generating Summary                                 ║\n║ ○ Step 5: Formatting Output                                  ║\n╠══════════════════════════════════════════════════════════════╣\n║ Progress: ██████░░░░░░░░░░░░░░░░░░░░░░░░  20%               ║\n╚══════════════════════════════════════════════════════════════╝\n```\n\n### Step 1: Validate YouTube URL\n\n**Objective:** Extract video ID and validate URL format.\n\n**Supported URL Formats:**\n- `https://www.youtube.com/watch?v=VIDEO_ID`\n- `https://youtube.com/watch?v=VIDEO_ID`\n- `https://youtu.be/VIDEO_ID`\n- `https://m.youtube.com/watch?v=VIDEO_ID`\n\n**Actions:**\n\n```bash\n# Extract video ID using regex or URL parsing\nURL=\"$USER_PROVIDED_URL\"\n\n# Pattern 1: youtube.com/watch?v=VIDEO_ID\nif echo \"$URL\" | grep -qE 'youtube\\.com/watch\\?v='; then\n    VIDEO_ID=$(echo \"$URL\" | sed -E 's/.*[?&]v=([^&]+).*/\\1/')\n# Pattern 2: youtu.be/VIDEO_ID  \nelif echo \"$URL\" | grep -qE 'youtu\\.be/'; then\n    VIDEO_ID=$(echo \"$URL\" | sed -E 's/.*youtu\\.be\\/([^?]+).*/\\1/')\nelse\n    echo \"❌ Invalid YouTube URL format\"\n    exit 1\nfi\n\necho \"📹 Video ID extracted: $VIDEO_ID\"\n```\n\n**If URL is invalid:**\n\n```\n❌ Invalid YouTube URL\n\nPlease provide a valid YouTube URL in one of these formats:\n- https://www.youtube.com/watch?v=VIDEO_ID\n- https://youtu.be/VIDEO_ID\n\nExample: https://www.youtube.com/watch?v=dQw4w9WgXcQ\n```\n\n### Step 2: Check Video & Transcript Availability\n\n**Progress:**\n```bash\necho \"[████████░░░░░░░░░░░░] 40% - Step 2/5: Checking Availability\"\n```\n\n**Objective:** Verify video exists and transcript is accessible.\n\n**Actions:**\n\n```python\nfrom youtube_transcript_api import YouTubeTranscriptApi, TranscriptsDisabled, NoTranscriptFound\nimport sys\n\nvideo_id = sys.argv[1]\n\ntry:\n    # Get list of available transcripts\n    transcript_list = YouTubeTranscriptApi.list_transcripts(video_id)\n    \n    print(f\"✅ Video accessible: {video_id}\")\n    print(\"📝 Available transcripts:\")\n    \n    for transcript in transcript_list:\n        print(f\"  - {transcript.language} ({transcript.language_code})\")\n        if transcript.is_generated:\n            print(\"    [Auto-generated]\")\n    \nexcept TranscriptsDisabled:\n    print(f\"❌ Transcripts are disabled for video {video_id}\")\n    sys.exit(1)\n    \nexcept NoTranscriptFound:\n    print(f\"❌ No transcript found for video {video_id}\")\n    sys.exit(1)\n    \nexcept Exception as e:\n    print(f\"❌ Error accessing video: {e}\")\n    sys.exit(1)\n```\n\n**Error Handling:**\n\n| Error | Message | Action |\n|-------|---------|--------|\n| Video not found | \"❌ Video does not exist or is private\" | Ask user to verify URL |\n| Transcripts disabled | \"❌ Transcripts are disabled for this video\" | Cannot proceed |\n| No transcript available | \"❌ No transcript found (not auto-generated or manually added)\" | Cannot proceed |\n| Private/restricted video | \"❌ Video is private or restricted\" | Ask for public video |\n\n### Step 3: Extract Transcript\n\n**Progress:**\n```bash\necho \"[████████████░░░░░░░░] 60% - Step 3/5: Extracting Transcript\"\n```\n\n**Objective:** Retrieve transcript in preferred language.\n\n**Actions:**\n\n```python\nfrom youtube_transcript_api import YouTubeTranscriptApi\n\nvideo_id = \"VIDEO_ID\"\n\ntry:\n    # Try to get transcript in user's preferred language first\n    # Fall back to English if not available\n    transcript = YouTubeTranscriptApi.get_transcript(\n        video_id, \n        languages=['pt', 'en']  # Prefer Portuguese, fallback to English\n    )\n    \n    # Combine transcript segments into full text\n    full_text = \" \".join([entry['text'] for entry in transcript])\n    \n    # Get video metadata\n    from youtube_transcript_api import YouTubeTranscriptApi\n    transcript_list = YouTubeTranscriptApi.list_transcripts(video_id)\n    \n    print(\"✅ Transcript extracted successfully\")\n    print(f\"📊 Transcript length: {len(full_text)} characters\")\n    \n    # Save to temporary file for processing\n    with open(f\"/tmp/transcript_{video_id}.txt\", \"w\") as f:\n        f.write(full_text)\n    \nexcept Exception as e:\n    print(f\"❌ Error extracting transcript: {e}\")\n    exit(1)\n```\n\n**Transcript Processing:**\n\n- Combine all transcript segments into coherent text\n- Preserve punctuation and formatting where available\n- Remove duplicate or overlapping segments (if auto-generated artifacts)\n- Store in temporary file for analysis\n\n### Step 4: Generate Comprehensive Summary\n\n**Progress:**\n```bash\necho \"[████████████████░░░░] 80% - Step 4/5: Generating Summary\"\n```\n\n**Objective:** Apply enhanced STAR + R-I-S-E prompt to create detailed summary.\n\n**Prompt Applied:**\n\nUse the enhanced prompt from Phase 2 (STAR + R-I-S-E framework) with the extracted transcript as input.\n\n**Actions:**\n\n1. Load the full transcript text\n2. Apply the comprehensive summarization prompt\n3. Use AI model (Claude/GPT) to generate structured summary\n4. Ensure output follows the defined structure:\n   - Header with video metadata\n   - Executive synthesis\n   - Detailed section-by-section breakdown\n   - Key insights and conclusions\n   - Concepts and terminology\n   - Resources and references\n\n**Implementation:**\n\n```bash\n# Use the transcript file as input to the AI prompt\nTRANSCRIPT_FILE=\"/tmp/transcript_${VIDEO_ID}.txt\"\n\n# The AI agent will:\n# 1. Read the transcript\n# 2. Apply the STAR + R-I-S-E summarization framework\n# 3. Generate comprehensive Markdown output\n# 4. Structure with headers, lists, and highlights\n\nRead \"$TRANSCRIPT_FILE\"  # Read transcript into context\n```\n\nThen apply the full summarization prompt (from enhanced version in Phase 2).\n\n### Step 5: Format and Present Output\n\n**Progress:**\n```bash\necho \"[████████████████████] 100% - Step 5/5: Formatting Output\"\n```\n\n**Objective:** Deliver the summary in clean, well-structured Markdown.\n\n**Output Structure:**\n\n```markdown\n# [Video Title]\n\n**Canal:** [Channel Name]  \n**Duração:** [Duration]  \n**URL:** [https://youtube.com/watch?v=VIDEO_ID]  \n**Data de Publicação:** [Date if available]\n\n\n## 📝 Detailed Summary\n\n### [Topic 1]\n\n[Comprehensive explanation with examples, data, quotes...]\n\n#### [Subtopic 1.1]\n\n[Detailed breakdown...]\n\n### [Topic 2]\n\n[Continued detailed analysis...]\n\n\n## 📚 Concepts and Terminology\n\n- **[Term 1]:** [Definition and context]\n- **[Term 2]:** [Definition and context]\n\n\n## 📌 Conclusion\n\n[Final synthesis and takeaways]\n```\n\n\n### **Example 2: Missing Dependency**\n\n**User Input:**\n```\nclaude> summarize this youtube video https://youtu.be/abc123\n```\n\n**Skill Response:**\n\n```\n⚠️  youtube-transcript-api not installed\n\nThis skill requires the Python library 'youtube-transcript-api'.\n\nWould you like me to install it now?\n- [ ] Yes - Install with pip\n- [ ] No - I'll install manually\n```\n\n**User selects \"Yes\":**\n\n```bash\n$ pip install youtube-transcript-api\nSuccessfully installed youtube-transcript-api-0.6.1\n\n✅ Installation complete! Proceeding with video summary...\n```\n\n\n### **Example 4: Invalid URL**\n\n**User Input:**\n```\nclaude> summarize youtube video www.youtube.com/some-video\n```\n\n**Skill Response:**\n\n```\n❌ Invalid YouTube URL format\n\nExpected format examples:\n- https://www.youtube.com/watch?v=VIDEO_ID\n- https://youtu.be/VIDEO_ID\n\nPlease provide a valid YouTube video URL.\n```\n\n\n## 📊 Executive Summary\n\nThis video provides a comprehensive introduction to the fundamental concepts of Artificial Intelligence (AI), designed for beginners and professionals who want to understand the technical foundations and practical applications of modern AI. The instructor covers everything from basic definitions to machine learning algorithms, using practical examples and visualizations to facilitate understanding.\n\n[... continued detailed summary ...]\n```\n\n**Save Options:**\n\n```\nWhat would you like to save?\n→ Summary + raw transcript\n\n✅ File saved: resumo-exemplo123-2026-02-01.md (includes raw transcript)\n[████████████████████] 100% - ✓ Processing complete!\n```\n\n\nWelcome to this comprehensive tutorial on machine learning fundamentals. In today's video, we'll explore the core concepts that power modern AI systems...\n```\n\n\n**Version:** 1.2.0\n**Last Updated:** 2026-02-02\n**Maintained By:** Eric Andrade\n\n## Limitations\n- Use this skill only when the task clearly matches the scope described above.\n- Do not treat the output as a substitute for environment-specific validation, testing, or expert review.\n- Stop and ask for clarification if required inputs, permissions, safety boundaries, or success criteria are missing.","tags":["youtube","summarizer","antigravity","awesome","skills","sickn33"],"capabilities":["skill","source-sickn33","category-antigravity-awesome-skills"],"categories":["antigravity-awesome-skills"],"synonyms":[],"warnings":[],"endpointUrl":"https://skills.sh/sickn33/antigravity-awesome-skills/youtube-summarizer","protocol":"skill","transport":"skills-sh","auth":{"type":"none","details":{"install_from":"skills.sh"}},"qualityScore":"0.300","qualityRationale":"deterministic score 0.30 from registry signals: · indexed on skills.sh · published under sickn33/antigravity-awesome-skills","verified":false,"liveness":"unknown","lastLivenessCheck":null,"agentReviews":{"count":0,"score_avg":null,"cost_usd_avg":null,"success_rate":null,"latency_p50_ms":null,"narrative_summary":null,"summary_updated_at":null},"enrichmentModel":"deterministic:skill:v1","enrichmentVersion":1,"enrichedAt":"2026-04-25T11:40:43.093Z","embedding":null,"createdAt":"2026-04-18T20:33:10.012Z","updatedAt":"2026-04-25T11:40:43.093Z","lastSeenAt":"2026-04-25T11:40:43.093Z","tsv":"'-02':1316,1317 '/abc123':1117 '/dev/null':180,203 '/some-video':1188 '/tmp/transcript_':802,969 '/video_id':413,458,515,1203 '/watch?v=dqw4w9wgxcq':519 '/watch?v=video_id':407,410,416,435,512,1200 '/watch?v=video_id]':1060 '0':153,183 '0.6.1':1169 '1':214,327,360,366,390,432,453,476,484,557,608,621,633,823,905,977,1070,1090 '1.1':1078 '1.2.0':1312 '1/5':311 '100':340,1032,1284 '2':179,330,372,455,521,890,911,981,1022,1082,1095,1105 '2/5':531 '20':309,316,328,388 '2026':1315 '3':207,333,376,691,917,992 '3/5':347,699 '4':336,380,856,926,997,1177 '4/5':865 '40':331,529 '5':339,384,1024 '5/5':1034 '60':334,697 '80':337,863 'access':541,573,629 'action':417,542,638,708,904 'ad':676 'agent':975 'ai':919,965,974,1226,1244,1309 'algorithm':1255 'analysi':69,132,854,1085 'andrad':1321 'antigrav':3 'api':45,170,178,189,226,248,265,274,279,547,713,772,1123,1135,1162,1168 'appli':869,883,912,982,1012 'applic':1241 'argument':55,121 'artifact':848 'artifici':1224 'ask':134,216,649,686,1355 'auto':594,672,846 'auto-gener':593,671,845 'avail':37,198,374,525,533,562,577,666,737,838,1066 'awesom':4 'back':732 'bash':164,259,268,307,418,527,695,861,956,1030,1156 'basic':1250 'beginn':1229 'boundari':1363 'box':357 'breakdown':944,1080 'breviti':151 'brief':348 'c':174,270 'canal':1052 'cannot':662,677 'captur':52 'category-antigravity-awesome-skills' 'channel':1053 'charact':317,792 'check':165,196,373,522,532 'clarif':1357 'claud':1110,1182 'claude/gpt':921 'clean':1042 'clear':1330 'code':588 'coher':831 'com/watch':442 'combin':751,826 'command':200 'complet':149,1171,1286 'comprehens':22,146,858,914,994,1071,1217,1290 'concept':949,1086,1222,1305 'conclus':948,1099 'content':68,80,108,124,140 'context':1010,1093,1098 'continu':1083,1264 'core':1304 'counter':342 'cover':1247 'creat':879 'criteria':1366 'current':351 'current/total':344 'data':1061,1075 'date':1064 'de':1062 'defin':931 'definit':1091,1096,1251 'deliv':1038 'depend':163,220,1107 'describ':1334 'descript':349 'design':62,1227 'detail':50,101,880,939,1067,1079,1084,1265 'disabl':602,655,658 'discoveri':154 'display':290,353 'document':51,72,106,147 'duplic':840 'durat':1056 'duração':1055 'e':32,450,472,625,631,815,821,876,896,989 'e.g':345 'echo':185,205,308,437,447,460,469,478,486,528,696,862,1031 'educ':74,123 'elif':459 'els':477 'empti':323 'en':745 'english':734,750 'enhanc':870,886,1018 'ensur':927 'entri':760,763 'environ':161,1346 'environment-specif':1345 'eric':1320 'error':628,634,636,818 'everyth':1248 'exampl':516,1074,1104,1176,1197,1258 'except':596,609,622,623,812,813 'execut':937,1211 'exist':537,645 'exit':213,483,822 'expect':1195 'expert':1351 'explan':1072 'explor':1302 'extract':15,38,116,139,377,395,419,489,692,700,783,819,900 'f':571,585,599,612,627,786,801,808,817 'f.write':809 'facilit':1262 'fall':731 'fallback':748 'fi':195,215,485 'file':796,852,960,968,1006,1278 'fill':321 'final':1100 'first':730 'follow':929 'format':305,314,385,401,404,482,509,836,1025,1035,1194,1196 'found':191,615,641,669 'foundat':1238 'framework':33,897,991 'full':755,757,790,810,908,1014 'fundament':1221,1295 'gaug':294,304 'generat':21,381,591,595,673,847,857,866,923,993 'get':559,723,766 'grep':439,462 'guidelin':286 'handl':635 'header':933,1000 'highlight':1003 'id':397,421,446,468,488,491,555,569,575,606,619,717,719,742,780,804,971 'implement':955 'import':175,271,548,552,714,773 'includ':1281 'increment':325 'inform':79,302 'initi':355 'input':903,962,1109,1181,1360 'insight':54,117,946 'instal':172,194,212,231,236,240,244,252,261,267,280,1125,1141,1145,1151,1158,1164,1170 'instructor':1246 'intellig':1225 'introduct':1218 'invalid':479,495,496,1178,1191 'join':759 'keep':299 'key':57,118,945 'languag':707,729,743 'last':1313 'learn':1254,1294 'lectur':76 'len':789 'length':788 'librari':47,1131 'like':234,1138,1272 'limit':1322 'list':560,565,583,776,1001 'll':251,1150,1301 'load':906 'm.youtube.com':415 'm.youtube.com/watch?v=video_id':414 'machin':1253,1293 'main':282 'maintain':1318 'manual':254,675,1152 'markdown':995,1046,1049 'match':1331 'messag':637 'metadata':768,936 'miss':222,1106,1368 'model':920 'modern':1243,1308 'name':1054 'ne':182 'need':66,104,126 'notranscriptfound':551,610 'object':394,534,702,868,1037 'offer':192 'one':506 'open':800 'option':1268 'output':386,928,996,1028,1036,1047,1340 'overlap':842 'pars':426 'pattern':431,454 'percentag':324 'permiss':1361 'phase':352,889,1021 'pip':242,243,260,1147,1157 'pleas':499,1204 'point':58,119 'portugues':747 'power':1307 'practic':1240,1257 'prefer':706,728,746 'present':1027 'preserv':833 'print':275,570,576,584,592,598,611,626,781,785,816 'priorit':148 'privat':648,683 'private/restricted':679 'proceed':663,678,1172 'process':157,363,798,825,1285 'produc':49 'profession':1231 'progress':284,293,370,387,526,694,860,1029 'prompt':877,882,887,916,966,1016 'provid':93,429,500,1205,1215 'pt':744 'public':688 'publicação':1063 'punctuat':834 'purpos':12 'python':46,197,206,543,709,1130 'python3':173,202,269 'qe':440,463 'quot':1076 'r':29,873,893,986 'r-i-s-':28,872,892,985 'raw':1276,1282 'read':978,1004,1007 'refer':71,110,954 'regex':423 'remov':839 'requir':209,228,1128,1359 'resourc':952 'respons':1119,1190 'restrict':685 'resum':137 'resumo-exemplo123-2026-02-01.md':1280 'retriev':703 'review':1352 'rewatch':112 'safeti':1362 'save':793,1267,1274,1279 'scope':1333 'section':941,943 'section-by-sect':940 'sed':449,471 'segment':753,829,843 'select':257,1154 'setup':155 'show':343 'sickn33':8 'skill':5,6,14,60,85,87,1118,1127,1189,1325 'source-sickn33' 'specif':315,1347 'star':27,871,891,984 'status':356 'step':152,297,310,326,329,332,335,338,341,346,359,365,371,375,379,383,389,520,530,690,698,855,864,1023,1033 'stop':1353 'store':849 'structur':924,932,998,1045,1048 'substitut':1343 'subtop':1077 'success':281,784,1163,1365 'summar':2,11,136,362,915,990,1015,1111,1183 'summari':24,102,382,859,867,881,925,1040,1068,1175,1212,1266,1275 'support':402 'synthesi':938,1101 'sys':553 'sys.argv':556 'sys.exit':607,620,632 'system':1310 'takeaway':1103 'task':1329 'technic':1237 'temporari':795,851 'term':1089,1094 'terminolog':951,1088 'test':1349 'text':756,758,761,791,811,832,910 'thorough':67 'throughout':287 'titl':1051 'today':1297 'topic':1069,1081 'track':285 'transcript':16,39,44,127,169,177,188,225,247,264,273,278,378,524,539,546,563,564,567,578,580,582,600,614,654,656,665,668,693,701,704,712,724,738,740,752,765,771,775,778,782,787,820,824,828,901,909,959,967,980,1005,1008,1122,1134,1161,1167,1277,1283 'transcript.is':590 'transcript.language':586,587 'transcriptsdis':550,597 'treat':1338 'tri':558,720,721 'tutori':77,1291 'txt':805,972 'understand':1235,1263 'updat':1314 'url':97,313,368,393,400,403,425,427,430,438,448,461,470,481,493,498,504,653,1057,1179,1193,1210 'use':25,40,83,90,319,422,884,918,957,1256,1323 'user':64,92,103,113,125,133,144,218,256,301,428,650,726,1108,1153,1180 'v':201,443,452 'valid':35,159,312,367,391,399,502,1207,1348 'verbos':23 'verifi':266,535,652 'version':1019,1311 'video':19,36,75,96,107,130,143,158,364,396,420,445,467,487,490,523,536,554,568,572,574,604,605,617,618,630,639,642,661,680,681,689,716,718,741,767,779,803,935,970,1050,1114,1174,1185,1209,1214,1299 'visual':292,1260 'w':806 'want':99,114,145,1233 'welcom':1287 'well':1044 'well-structur':1043 'wide':318 'without':111 'workflow':283,289 'would':232,1136,1270 'www.youtube.com':406,511,518,1187,1199 'www.youtube.com/some-video':1186 'www.youtube.com/watch?v=dqw4w9wgxcq':517 'www.youtube.com/watch?v=video_id':405,510,1198 'yes':239,258,1144,1155 'youtu':464,474 'youtu.be':412,457,514,1116,1202 'youtu.be/abc123':1115 'youtu.be/video_id':411,456,513,1201 'youtub':1,10,18,43,95,129,142,168,176,187,224,246,263,272,277,361,392,441,480,497,503,545,711,770,1113,1121,1133,1160,1166,1184,1192,1208 'youtube-summar':9 'youtube-transcript-api':42,167,186,223,245,262,276,1120,1132,1159,1165 'youtube.com':409,434,1059 'youtube.com/watch?v=video_id':408,433 'youtube.com/watch?v=video_id]':1058 'youtubetranscriptapi':549,715,774 'youtubetranscriptapi.get':739 'youtubetranscriptapi.list':566,777","prices":[{"id":"25701fbb-6cc4-46f7-9313-6de5a7bb26b7","listingId":"8b86de2f-0cdc-45de-b2d3-5312432e56dc","amountUsd":"0","unit":"free","nativeCurrency":null,"nativeAmount":null,"chain":null,"payTo":null,"paymentMethod":"skill-free","isPrimary":true,"details":{"org":"sickn33","category":"antigravity-awesome-skills","install_from":"skills.sh"},"createdAt":"2026-04-18T20:33:10.012Z"}],"sources":[{"listingId":"8b86de2f-0cdc-45de-b2d3-5312432e56dc","source":"github","sourceId":"sickn33/antigravity-awesome-skills/youtube-summarizer","sourceUrl":"https://github.com/sickn33/antigravity-awesome-skills/tree/main/skills/youtube-summarizer","isPrimary":false,"firstSeenAt":"2026-04-18T21:47:57.286Z","lastSeenAt":"2026-04-25T06:52:21.061Z"},{"listingId":"8b86de2f-0cdc-45de-b2d3-5312432e56dc","source":"skills_sh","sourceId":"sickn33/antigravity-awesome-skills/youtube-summarizer","sourceUrl":"https://skills.sh/sickn33/antigravity-awesome-skills/youtube-summarizer","isPrimary":true,"firstSeenAt":"2026-04-18T20:33:10.012Z","lastSeenAt":"2026-04-25T11:40:43.093Z"}],"details":{"listingId":"8b86de2f-0cdc-45de-b2d3-5312432e56dc","quickStartSnippet":null,"exampleRequest":null,"exampleResponse":null,"schema":null,"openapiUrl":null,"agentsTxtUrl":null,"citations":[],"useCases":[],"bestFor":[],"notFor":[],"kindDetails":{"org":"sickn33","slug":"youtube-summarizer","source":"skills_sh","category":"antigravity-awesome-skills","skills_sh_url":"https://skills.sh/sickn33/antigravity-awesome-skills/youtube-summarizer"},"updatedAt":"2026-04-25T11:40:43.093Z"}}