{"id":"d60ab61e-c422-4348-9375-41f482f824f8","shortId":"2KLQgQ","kind":"skill","title":"debug-buttercup","tagline":"All pods run in namespace crs. Use when pods in the crs namespace are in CrashLoopBackOff, OOMKilled, or restarting, multiple services restart simultaneously (cascade failure), or redis is unresponsive or showing AOF warnings.","description":"# Debug Buttercup\n\n## When to Use\n- Pods in the `crs` namespace are in CrashLoopBackOff, OOMKilled, or restarting\n- Multiple services restart simultaneously (cascade failure)\n- Redis is unresponsive or showing AOF warnings\n- Queues are growing but tasks are not progressing\n- Nodes show DiskPressure, MemoryPressure, or PID pressure\n- Build-bot cannot reach the Docker daemon (DinD failures)\n- Scheduler is stuck and not advancing task state\n- Health check probes are failing unexpectedly\n- Deployed Helm values don't match actual pod configuration\n\n## When NOT to Use\n\n- Deploying or upgrading Buttercup (use Helm and deployment guides)\n- Debugging issues outside the `crs` Kubernetes namespace\n- Performance tuning that doesn't involve a failure symptom\n\n## Namespace and Services\n\nAll pods run in namespace `crs`. Key services:\n\n| Layer | Services |\n|-------|----------|\n| Infra | redis, dind, litellm, registry-cache |\n| Orchestration | scheduler, task-server, task-downloader, scratch-cleaner |\n| Fuzzing | build-bot, fuzzer-bot, coverage-bot, tracer-bot, merger-bot |\n| Analysis | patcher, seed-gen, program-model, pov-reproducer |\n| Interface | competition-api, ui |\n\n## Triage Workflow\n\nAlways start with triage. Run these three commands first:\n\n```bash\n# 1. Pod status - look for restarts, CrashLoopBackOff, OOMKilled\nkubectl get pods -n crs -o wide\n\n# 2. Events - the timeline of what went wrong\nkubectl get events -n crs --sort-by='.lastTimestamp'\n\n# 3. Warnings only - filter the noise\nkubectl get events -n crs --field-selector type=Warning --sort-by='.lastTimestamp'\n```\n\nThen narrow down:\n\n```bash\n# Why did a specific pod restart? Check Last State Reason (OOMKilled, Error, Completed)\nkubectl describe pod -n crs <pod-name> | grep -A8 'Last State:'\n\n# Check actual resource limits vs intended\nkubectl get pod -n crs <pod-name> -o jsonpath='{.spec.containers[0].resources}'\n\n# Crashed container's logs (--previous = the container that died)\nkubectl logs -n crs <pod-name> --previous --tail=200\n\n# Current logs\nkubectl logs -n crs <pod-name> --tail=200\n```\n\n### Historical vs Ongoing Issues\n\nHigh restart counts don't necessarily mean an issue is ongoing -- restarts accumulate over a pod's lifetime. Always distinguish:\n- `--tail` shows the end of the log buffer, which may contain old messages. Use `--since=300s` to confirm issues are actively happening now.\n- `--timestamps` on log output helps correlate events across services.\n- Check `Last State` timestamps in `describe pod` to see when the most recent crash actually occurred.\n\n### Cascade Detection\n\nWhen many pods restart around the same time, check for a shared-dependency failure before investigating individual pods. The most common cascade: Redis goes down -> every service gets `ConnectionError`/`ConnectionRefusedError` -> mass restarts. Look for the same error across multiple `--previous` logs -- if they all say `redis.exceptions.ConnectionError`, debug Redis, not the individual services.\n\n## Log Analysis\n\n```bash\n# All replicas of a service at once\nkubectl logs -n crs -l app=fuzzer-bot --tail=100 --prefix\n\n# Stream live\nkubectl logs -n crs -l app.kubernetes.io/name=redis -f\n\n# Collect all logs to disk (existing script)\nbash deployment/collect-logs.sh\n```\n\n## Resource Pressure\n\n```bash\n# Per-pod CPU/memory\nkubectl top pods -n crs\n\n# Node-level\nkubectl top nodes\n\n# Node conditions (disk pressure, memory pressure, PID pressure)\nkubectl describe node <node> | grep -A5 Conditions\n\n# Disk usage inside a pod\nkubectl exec -n crs <pod> -- df -h\n\n# What's eating disk\nkubectl exec -n crs <pod> -- sh -c 'du -sh /corpus/* 2>/dev/null'\nkubectl exec -n crs <pod> -- sh -c 'du -sh /scratch/* 2>/dev/null'\n```\n\n## Redis Debugging\n\nRedis is the backbone. When it goes down, everything cascades.\n\n```bash\n# Redis pod status\nkubectl get pods -n crs -l app.kubernetes.io/name=redis\n\n# Redis logs (AOF warnings, OOM, connection issues)\nkubectl logs -n crs -l app.kubernetes.io/name=redis --tail=200\n\n# Connect to Redis CLI\nkubectl exec -n crs <redis-pod> -- redis-cli\n\n# Inside redis-cli: key diagnostics\nINFO memory          # used_memory_human, maxmemory\nINFO persistence     # aof_enabled, aof_last_bgrewrite_status, aof_delayed_fsync\nINFO clients         # connected_clients, blocked_clients\nINFO stats           # total_connections_received, rejected_connections\nCLIENT LIST          # see who's connected\nDBSIZE               # total keys\n\n# AOF configuration\nCONFIG GET appendonly     # is AOF enabled?\nCONFIG GET appendfsync   # fsync policy: everysec, always, or no\n\n# What is /data mounted on? (disk vs tmpfs matters for AOF performance)\n```\n\n```bash\nkubectl exec -n crs <redis-pod> -- mount | grep /data\nkubectl exec -n crs <redis-pod> -- du -sh /data/\n```\n\n### Queue Inspection\n\nButtercup uses Redis streams with consumer groups. Queue names:\n\n| Queue | Stream Key |\n|-------|-----------|\n| Build | fuzzer_build_queue |\n| Build Output | fuzzer_build_output_queue |\n| Crash | fuzzer_crash_queue |\n| Confirmed Vulns | confirmed_vulnerabilities_queue |\n| Download Tasks | orchestrator_download_tasks_queue |\n| Ready Tasks | tasks_ready_queue |\n| Patches | patches_queue |\n| Index | index_queue |\n| Index Output | index_output_queue |\n| Traced Vulns | traced_vulnerabilities_queue |\n| POV Requests | pov_reproducer_requests_queue |\n| POV Responses | pov_reproducer_responses_queue |\n| Delete Task | orchestrator_delete_task_queue |\n\n```bash\n# Check stream length (pending messages)\nkubectl exec -n crs <redis-pod> -- redis-cli XLEN fuzzer_build_queue\n\n# Check consumer group lag\nkubectl exec -n crs <redis-pod> -- redis-cli XINFO GROUPS fuzzer_build_queue\n\n# Check pending messages per consumer\nkubectl exec -n crs <redis-pod> -- redis-cli XPENDING fuzzer_build_queue build_bot_consumers - + 10\n\n# Task registry size\nkubectl exec -n crs <redis-pod> -- redis-cli HLEN tasks_registry\n\n# Task state counts\nkubectl exec -n crs <redis-pod> -- redis-cli SCARD cancelled_tasks\nkubectl exec -n crs <redis-pod> -- redis-cli SCARD succeeded_tasks\nkubectl exec -n crs <redis-pod> -- redis-cli SCARD errored_tasks\n```\n\nConsumer groups: `build_bot_consumers`, `orchestrator_group`, `patcher_group`, `index_group`, `tracer_bot_group`.\n\n## Health Checks\n\nPods write timestamps to `/tmp/health_check_alive`. The liveness probe checks file freshness.\n\n```bash\n# Check health file freshness\nkubectl exec -n crs <pod> -- stat /tmp/health_check_alive\nkubectl exec -n crs <pod> -- cat /tmp/health_check_alive\n```\n\nIf a pod is restart-looping, the health check file is likely going stale because the main process is blocked (e.g. waiting on Redis, stuck on I/O).\n\n## Telemetry (OpenTelemetry / Signoz)\n\nAll services export traces and metrics via OpenTelemetry. If Signoz is deployed (`global.signoz.deployed: true`), use its UI for distributed tracing across services.\n\n```bash\n# Check if OTEL is configured\nkubectl exec -n crs <pod> -- env | grep OTEL\n\n# Verify Signoz pods are running (if deployed)\nkubectl get pods -n platform -l app.kubernetes.io/name=signoz\n```\n\nTraces are especially useful for diagnosing slow task processing, identifying which service in a pipeline is the bottleneck, and correlating events across the scheduler -> build-bot -> fuzzer-bot chain.\n\n## Volume and Storage\n\n```bash\n# PVC status\nkubectl get pvc -n crs\n\n# Check if corpus tmpfs is mounted, its size, and backing type\nkubectl exec -n crs <pod> -- mount | grep corpus_tmpfs\nkubectl exec -n crs <pod> -- df -h /corpus_tmpfs 2>/dev/null\n\n# Check if CORPUS_TMPFS_PATH is set\nkubectl exec -n crs <pod> -- env | grep CORPUS\n\n# Full disk layout - what's on real disk vs tmpfs\nkubectl exec -n crs <pod> -- df -h\n```\n\n`CORPUS_TMPFS_PATH` is set when `global.volumes.corpusTmpfs.enabled: true`. This affects fuzzer-bot, coverage-bot, seed-gen, and merger-bot.\n\n### Deployment Config Verification\n\nWhen behavior doesn't match expectations, verify Helm values actually took effect:\n\n```bash\n# Check a pod's actual resource limits\nkubectl get pod -n crs <pod-name> -o jsonpath='{.spec.containers[0].resources}'\n\n# Check a pod's actual volume definitions\nkubectl get pod -n crs <pod-name> -o jsonpath='{.spec.volumes}'\n```\n\nHelm values template typos (e.g. wrong key names) silently fall back to chart defaults. If deployed resources don't match the values template, check for key name mismatches.\n\n## Service-Specific Debugging\n\nFor detailed per-service symptoms, root causes, and fixes, see references/failure-patterns.md.\n\nQuick reference:\n\n- **DinD**: `kubectl logs -n crs -l app=dind --tail=100` -- look for docker daemon crashes, storage driver errors\n- **Build-bot**: check build queue depth, DinD connectivity, OOM during compilation\n- **Fuzzer-bot**: corpus disk usage, CPU throttling, crash queue backlog\n- **Patcher**: LiteLLM connectivity, LLM timeout, patch queue depth\n- **Scheduler**: the central brain -- `kubectl logs -n crs -l app=scheduler --tail=-1 --prefix | grep \"WAIT_PATCH_PASS\\|ERROR\\|SUBMIT\"`\n\n## Diagnostic Script\n\nRun the automated triage snapshot:\n\n```bash\nbash {baseDir}/scripts/diagnose.sh\n```\n\nPass `--full` to also dump recent logs from all pods:\n\n```bash\nbash {baseDir}/scripts/diagnose.sh --full\n```\n\nThis collects pod status, events, resource usage, Redis health, and queue depths in one pass.\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":["debug","buttercup","antigravity","awesome","skills","sickn33","agent-skills","agentic-skills","ai-agent-skills","ai-agents","ai-coding","ai-workflows"],"capabilities":["skill","source-sickn33","skill-debug-buttercup","topic-agent-skills","topic-agentic-skills","topic-ai-agent-skills","topic-ai-agents","topic-ai-coding","topic-ai-workflows","topic-antigravity","topic-antigravity-skills","topic-claude-code","topic-claude-code-skills","topic-codex-cli","topic-codex-skills"],"categories":["antigravity-awesome-skills"],"synonyms":[],"warnings":[],"endpointUrl":"https://skills.sh/sickn33/antigravity-awesome-skills/debug-buttercup","protocol":"skill","transport":"skills-sh","auth":{"type":"none","details":{"cli":"npx skills add sickn33/antigravity-awesome-skills","source_repo":"https://github.com/sickn33/antigravity-awesome-skills","install_from":"skills.sh"}},"qualityScore":"0.700","qualityRationale":"deterministic score 0.70 from registry signals: · indexed on github topic:agent-skills · 34831 github stars · SKILL.md body (9,582 chars)","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-github:v1","enrichmentVersion":1,"enrichedAt":"2026-04-24T06:51:02.257Z","embedding":null,"createdAt":"2026-04-18T21:35:49.918Z","updatedAt":"2026-04-24T06:51:02.257Z","lastSeenAt":"2026-04-24T06:51:02.257Z","tsv":"'-1':1297 '/corpus':560 '/corpus_tmpfs':1086 '/data':691,708,715 '/dev/null':562,573,1088 '/name=redis':494,598,613 '/name=signoz':1018 '/scratch':571 '/scripts/diagnose.sh':1315,1329 '/tmp/health_check_alive':913,930,936 '0':310,1173 '1':218 '10':846 '100':483,1245 '2':233,561,572,1087 '200':327,335,615 '3':250 '300s':375 'a5':535 'a8':293 'accumul':352 'across':390,448,988,1040 'activ':380 'actual':111,297,406,1154,1162,1179 'advanc':96 'affect':1128 'also':1319 'alway':208,358,686 'analysi':190,464 'aof':35,64,601,641,643,647,672,678,699 'api':204 'app':478,1242,1294 'app.kubernetes.io':493,597,612,1017 'app.kubernetes.io/name=redis':492,596,611 'app.kubernetes.io/name=signoz':1016 'appendfsync':682 'appendon':676 'around':414 'ask':1379 'autom':1309 'back':1070,1200 'backbon':579 'backlog':1276 'basedir':1314,1328 'bash':217,273,465,503,507,586,701,794,920,990,1053,1157,1312,1313,1326,1327 'behavior':1146 'bgrewrit':645 'block':654,957 'bot':83,177,180,183,186,189,481,844,896,905,1045,1048,1131,1134,1141,1256,1268 'bottleneck':1036 'boundari':1387 'brain':1288 'buffer':367 'build':82,176,730,732,734,737,809,825,841,843,895,1044,1255,1258 'build-bot':81,175,1043,1254 'buttercup':3,38,121,718 'c':557,568 'cach':162 'cancel':871 'cannot':84 'cascad':27,57,408,432,585 'cat':935 'caus':1229 'central':1287 'chain':1049 'chart':1202 'check':100,280,296,392,418,795,811,827,908,917,921,946,991,1061,1089,1158,1175,1213,1257 'clarif':1381 'cleaner':173 'clear':1354 'cli':619,626,630,806,821,838,856,869,879,889 'client':651,653,655,663 'collect':496,1332 'command':215 'common':431 'competit':203 'competition-api':202 'compil':1265 'complet':286 'condit':524,536 'config':674,680,1143 'configur':113,673,995 'confirm':377,744,746 'connect':604,616,652,659,662,668,1262,1279 'connectionerror':439 'connectionrefusederror':440 'consum':723,812,831,845,893,897 'contain':313,318,370 'corpus':1063,1078,1091,1102,1119,1269 'correl':388,1038 'count':342,862 'coverag':182,1133 'coverage-bot':181,1132 'cpu':1272 'cpu/memory':511 'crash':312,405,740,742,1250,1274 'crashloopbackoff':19,49,224 'criteria':1390 'crs':9,15,45,131,151,230,245,260,291,306,324,333,476,490,516,545,555,566,594,609,623,705,712,803,818,835,853,866,876,886,928,934,999,1060,1075,1083,1099,1116,1169,1186,1240,1292 'current':328 'daemon':88,1249 'dbsize':669 'debug':2,37,127,457,575,1221 'debug-buttercup':1 'default':1203 'definit':1181 'delay':648 'delet':788,791 'depend':423 'deploy':105,118,125,979,1009,1142,1205 'deployment/collect-logs.sh':504 'depth':1260,1284,1342 'describ':288,397,532,1358 'detail':1223 'detect':409 'df':546,1084,1117 'diagnos':1024 'diagnost':632,1305 'die':320 'dind':89,158,1236,1243,1261 'disk':500,525,537,551,694,1104,1110,1270 'diskpressur':76 'distinguish':359 'distribut':986 'docker':87,1248 'doesn':137,1147 'download':170,749,752 'driver':1252 'du':558,569,713 'dump':1320 'e.g':958,1194 'eat':550 'effect':1156 'enabl':642,679 'end':363 'env':1000,1100 'environ':1370 'environment-specif':1369 'error':285,447,891,1253,1303 'especi':1021 'event':234,243,258,389,1039,1335 'everi':436 'everysec':685 'everyth':584 'exec':543,553,564,621,703,710,801,816,833,851,864,874,884,926,932,997,1073,1081,1097,1114 'exist':501 'expect':1150 'expert':1375 'export':970 'f':495 'fail':103 'failur':28,58,90,141,424 'fall':1199 'field':262 'field-selector':261 'file':918,923,947 'filter':253 'first':216 'fix':1231 'fresh':919,924 'fsync':649,683 'full':1103,1317,1330 'fuzz':174 'fuzzer':179,480,731,736,741,808,824,840,1047,1130,1267 'fuzzer-bot':178,479,1046,1129,1266 'gen':194,1137 'get':227,242,257,303,438,591,675,681,1011,1057,1166,1183 'global.signoz.deployed':980 'global.volumes.corpustmpfs.enabled':1125 'go':950 'goe':434,582 'grep':292,534,707,1001,1077,1101,1299 'group':724,813,823,894,899,901,903,906 'grow':68 'guid':126 'h':547,1085,1118 'happen':381 'health':99,907,922,945,1339 'helm':106,123,1152,1190 'help':387 'high':340 'histor':336 'hlen':857 'human':637 'i/o':964 'identifi':1028 'index':763,764,766,768,902 'individu':427,461 'info':633,639,650,656 'infra':156 'input':1384 'insid':539,627 'inspect':717 'intend':301 'interfac':201 'investig':426 'involv':139 'issu':128,339,348,378,605 'jsonpath':308,1171,1188 'key':152,631,671,729,1196,1215 'kubectl':226,241,256,287,302,321,330,473,487,512,520,531,542,552,563,590,606,620,702,709,800,815,832,850,863,873,883,925,931,996,1010,1056,1072,1080,1096,1113,1165,1182,1237,1289 'kubernet':132 'l':477,491,595,610,1015,1241,1293 'lag':814 'last':281,294,393,644 'lasttimestamp':249,269 'layer':154 'layout':1105 'length':797 'level':519 'lifetim':357 'like':949 'limit':299,1164,1346 'list':664 'litellm':159,1278 'live':486,915 'llm':1280 'log':315,322,329,331,366,385,451,463,474,488,498,600,607,1238,1290,1322 'look':221,443,1246 'loop':943 'main':954 'mani':411 'mass':441 'match':110,1149,1209,1355 'matter':697 'maxmemori':638 'may':369 'mean':346 'memori':527,634,636 'memorypressur':77 'merger':188,1140 'merger-bot':187,1139 'messag':372,799,829 'metric':973 'mismatch':1217 'miss':1392 'model':197 'mount':692,706,1066,1076 'multipl':23,53,449 'n':229,244,259,290,305,323,332,475,489,515,544,554,565,593,608,622,704,711,802,817,834,852,865,875,885,927,933,998,1013,1059,1074,1082,1098,1115,1168,1185,1239,1291 'name':726,1197,1216 'namespac':8,16,46,133,143,150 'narrow':271 'necessarili':345 'node':74,518,522,523,533 'node-level':517 'nois':255 'o':231,307,1170,1187 'occur':407 'old':371 'one':1344 'ongo':338,350 'oom':603,1263 'oomkil':20,50,225,284 'opentelemetri':966,975 'orchestr':163,751,790,898 'otel':993,1002 'output':386,735,738,767,769,1364 'outsid':129 'pass':1302,1316,1345 'patch':760,761,1282,1301 'patcher':191,900,1277 'path':1093,1121 'pend':798,828 'per':509,830,1225 'per-pod':508 'per-servic':1224 'perform':134,700 'permiss':1385 'persist':640 'pid':79,529 'pipelin':1033 'platform':1014 'pod':5,12,42,112,147,219,228,278,289,304,355,398,412,428,510,514,541,588,592,909,939,1005,1012,1160,1167,1177,1184,1325,1333 'polici':684 'pov':199,776,778,782,784 'pov-reproduc':198 'prefix':484,1298 'pressur':80,506,526,528,530 'previous':316,325,450 'probe':101,916 'process':955,1027 'program':196 'program-model':195 'progress':73 'pvc':1054,1058 'queue':66,716,725,727,733,739,743,748,754,759,762,765,770,775,781,787,793,810,826,842,1259,1275,1283,1341 'quick':1234 'reach':85 'readi':755,758 'real':1109 'reason':283 'receiv':660 'recent':404,1321 'redi':30,59,157,433,458,574,576,587,599,618,625,629,720,805,820,837,855,868,878,888,961,1338 'redis-c':624,628,804,819,836,854,867,877,887 'redis.exceptions.connectionerror':456 'refer':1235 'references/failure-patterns.md':1233 'registri':161,848,859 'registry-cach':160 'reject':661 'replica':467 'reproduc':200,779,785 'request':777,780 'requir':1383 'resourc':298,311,505,1163,1174,1206,1336 'respons':783,786 'restart':22,25,52,55,223,279,341,351,413,442,942 'restart-loop':941 'review':1376 'root':1228 'run':6,148,212,1007,1307 'safeti':1386 'say':455 'scard':870,880,890 'schedul':91,164,1042,1285,1295 'scope':1357 'scratch':172 'scratch-clean':171 'script':502,1306 'see':400,665,1232 'seed':193,1136 'seed-gen':192,1135 'selector':263 'server':167 'servic':24,54,145,153,155,391,437,462,470,969,989,1030,1219,1226 'service-specif':1218 'set':1095,1123 'sh':556,559,567,570,714 'share':422 'shared-depend':421 'show':34,63,75,361 'signoz':967,977,1004 'silent':1198 'simultan':26,56 'sinc':374 'size':849,1068 'skill':1349 'skill-debug-buttercup' 'slow':1025 'snapshot':1311 'sort':247,267 'sort-bi':246,266 'source-sickn33' 'spec.containers':309,1172 'spec.volumes':1189 'specif':277,1220,1371 'stale':951 'start':209 'stat':657,929 'state':98,282,295,394,861 'status':220,589,646,1055,1334 'stop':1377 'storag':1052,1251 'stream':485,721,728,796 'stuck':93,962 'submit':1304 'substitut':1367 'succeed':881 'success':1389 'symptom':142,1227 'tail':326,334,360,482,614,1244,1296 'task':70,97,166,169,750,753,756,757,789,792,847,858,860,872,882,892,1026,1353 'task-download':168 'task-serv':165 'telemetri':965 'templat':1192,1212 'test':1373 'three':214 'throttl':1273 'time':417 'timelin':236 'timeout':1281 'timestamp':383,395,911 'tmpfs':696,1064,1079,1092,1112,1120 'took':1155 'top':513,521 'topic-agent-skills' 'topic-agentic-skills' 'topic-ai-agent-skills' 'topic-ai-agents' 'topic-ai-coding' 'topic-ai-workflows' 'topic-antigravity' 'topic-antigravity-skills' 'topic-claude-code' 'topic-claude-code-skills' 'topic-codex-cli' 'topic-codex-skills' 'total':658,670 'trace':771,773,971,987,1019 'tracer':185,904 'tracer-bot':184 'treat':1362 'triag':206,211,1310 'true':981,1126 'tune':135 'type':264,1071 'typo':1193 'ui':205,984 'unexpect':104 'unrespons':32,61 'upgrad':120 'usag':538,1271,1337 'use':10,41,117,122,373,635,719,982,1022,1347 'valid':1372 'valu':107,1153,1191,1211 'verif':1144 'verifi':1003,1151 'via':974 'volum':1050,1180 'vs':300,337,695,1111 'vuln':745,772 'vulner':747,774 'wait':959,1300 'warn':36,65,251,265,602 'went':239 'wide':232 'workflow':207 'write':910 'wrong':240,1195 'xinfo':822 'xlen':807 'xpend':839","prices":[{"id":"921fc82c-6f31-4a41-b978-98436edae1a3","listingId":"d60ab61e-c422-4348-9375-41f482f824f8","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-18T21:35:49.918Z"}],"sources":[{"listingId":"d60ab61e-c422-4348-9375-41f482f824f8","source":"github","sourceId":"sickn33/antigravity-awesome-skills/debug-buttercup","sourceUrl":"https://github.com/sickn33/antigravity-awesome-skills/tree/main/skills/debug-buttercup","isPrimary":false,"firstSeenAt":"2026-04-18T21:35:49.918Z","lastSeenAt":"2026-04-24T06:51:02.257Z"}],"details":{"listingId":"d60ab61e-c422-4348-9375-41f482f824f8","quickStartSnippet":null,"exampleRequest":null,"exampleResponse":null,"schema":null,"openapiUrl":null,"agentsTxtUrl":null,"citations":[],"useCases":[],"bestFor":[],"notFor":[],"kindDetails":{"org":"sickn33","slug":"debug-buttercup","github":{"repo":"sickn33/antigravity-awesome-skills","stars":34831,"topics":["agent-skills","agentic-skills","ai-agent-skills","ai-agents","ai-coding","ai-workflows","antigravity","antigravity-skills","claude-code","claude-code-skills","codex-cli","codex-skills","cursor","cursor-skills","developer-tools","gemini-cli","gemini-skills","kiro","mcp","skill-library"],"license":"mit","html_url":"https://github.com/sickn33/antigravity-awesome-skills","pushed_at":"2026-04-24T06:41:17Z","description":"Installable GitHub library of 1,400+ agentic skills for Claude Code, Cursor, Codex CLI, Gemini CLI, Antigravity, and more. Includes installer CLI, bundles, workflows, and official/community skill collections.","skill_md_sha":"ee7ccd2fcc16177d2c190631da6b5fe14aba65f0","skill_md_path":"skills/debug-buttercup/SKILL.md","default_branch":"main","skill_tree_url":"https://github.com/sickn33/antigravity-awesome-skills/tree/main/skills/debug-buttercup"},"layout":"multi","source":"github","category":"antigravity-awesome-skills","frontmatter":{"name":"debug-buttercup","description":"All pods run in namespace crs. Use when pods in the crs namespace are in CrashLoopBackOff, OOMKilled, or restarting, multiple services restart simultaneously (cascade failure), or redis is unresponsive or showing AOF warnings."},"skills_sh_url":"https://skills.sh/sickn33/antigravity-awesome-skills/debug-buttercup"},"updatedAt":"2026-04-24T06:51:02.257Z"}}