{"id":"d72d4c2f-e193-41ec-bfd1-a3aadeb65602","shortId":"UabAKm","kind":"skill","title":"find-dead-code","tagline":"Find dead code using parallel subagent analysis and optional CLI tools, treating code only referenced from tests as dead. Use when the user asks to \"find dead code\", \"find unused code\", \"find unused exports\", \"find unreferenced functions\", \"clean up dead code\", or \"what code is u","description":"# Find Dead Code\n\nIdentify dead code in a codebase. **Core rule: code only used in tests is still dead code.** Only production usage counts.\n\n## Step 1: Detect Languages, Scope & Test Boundaries\n\nDetermine the project structure:\n\n1. Check for config files: `package.json`, `tsconfig.json`, `pyproject.toml`, `setup.py`, `Package.swift`, `.xcodeproj`, `Cargo.toml`, `go.mod`, `pom.xml`, `build.gradle`\n2. Glob for source files: `**/*.ts`, `**/*.py`, `**/*.swift`, `**/*.go`, `**/*.rs`, `**/*.java`\n3. Identify source roots — where production code lives (e.g., `src/`, `lib/`, `Sources/`)\n4. **Partition the codebase** into analysis units by top-level source directories (e.g., `src/auth/`, `src/api/`, `src/utils/`, `lib/models/`). Each directory becomes one subagent's scope in Step 3.\n\nIf the user specified a scope, restrict analysis to that scope.\n\n### Test File Patterns\n\nEstablish which files are test files. Code referenced ONLY from these locations is dead.\n\n| Language | Test file patterns |\n|----------|-------------------|\n| TS/JS | `*.test.{ts,tsx,js,jsx}`, `*.spec.{ts,tsx,js,jsx}`, `__tests__/**`, `__mocks__/**`, `*.stories.{ts,tsx,js,jsx}` |\n| Python | `test_*.py`, `*_test.py`, `tests/**`, `test/**`, `conftest.py` |\n| Swift | `*Tests.swift`, `*Test.swift`, `Tests/**`, `*UITests.swift`, `XCTestCase` subclasses |\n| Go | `*_test.go`, `testdata/**` |\n| Rust | `tests/**`, `benches/**`, `#[cfg(test)]` modules (inline test modules within source files) |\n| Java/Kotlin | `src/test/**`, `*Test.java`, `*Tests.java`, `*Spec.java`, `*Test.kt` |\n| General | `fixtures/**`, `__fixtures__/**`, `mocks/**`, `testutils/**`, `testhelpers/**`, `spec/**` |\n\nAlso exclude: test runner configs (`jest.config.*`, `vitest.config.*`, `pytest.ini`), storybook files, benchmark files.\n\n## Step 2: Quick Wins — CLI Tools (Optional)\n\nIf a CLI tool is installed, run it as a fast first pass for **zero-reference** dead code.\n\n| Language | Tool | Check | Run |\n|----------|------|-------|-----|\n| TS/JS | `knip` | `npx knip --version` | `npx knip --no-exit-code` |\n| Python | `vulture` | `vulture --version` | `vulture <src_dirs> --min-confidence 80` |\n| Swift | `periphery` | `which periphery` | `periphery scan --skip-build` |\n| Go | `deadcode` | `which deadcode` | `deadcode ./...` |\n| Rust | compiler warnings | — | `cargo build 2>&1 \\| grep \"dead_code\"` |\n\n**Important limitation:** CLI tools count test imports as real usage. They **cannot** detect code that is only used in tests. They only find symbols with literally zero references anywhere. Step 3 is required for test-only detection.\n\nIf no CLI tool is installed, skip to Step 3. Do not ask the user to install anything.\n\n## Step 3: Test-Only Analysis — Parallel Subagents (Core)\n\nThis is the primary analysis. Spawn parallel subagents to systematically find code that is only referenced from tests.\n\n### Subagent Strategy\n\nFor each top-level source directory identified in Step 1, launch one subagent (`model: \"opus\"`, do not set `run_in_background`). Each subagent receives:\n\n1. **Its assigned directory** to scan for exported symbols\n2. **The test file patterns** from Step 1\n3. **The full project root path** so it can grep across the entire codebase\n\n### Subagent Task\n\nEach subagent performs these steps on its assigned directory:\n\n**a) Find exported/public symbols:**\n\n| Language | Exported symbol patterns |\n|----------|--------------------------|\n| TS/JS | `export function`, `export const`, `export let`, `export var`, `export class`, `export interface`, `export type`, `export enum`, `export default`, `module.exports` |\n| Python | Top-level `def` and `class` in non-`_`-prefixed modules, module-level constants (`FOO = ...`), symbols in `__all__`, public functions (no `_` prefix) |\n| Swift | `public func`, `public var`, `public let`, `public class`, `public struct`, `public enum`, `public protocol`, `open class`, `open func`, `open var` |\n| Go | Capitalized identifiers: `func FooBar`, `type FooBar struct`, `var FooBar`, `const FooBar` (Go uses capitalization for public visibility) |\n| Rust | `pub fn`, `pub struct`, `pub enum`, `pub trait`, `pub const`, `pub static`, `pub type`, `pub mod` |\n| Java/Kotlin | `public class`, `public static`, `public void`, `public` fields, `val`/`var` properties, `fun ` (top-level), `@Bean`, `@Component`, `@Service` annotated classes |\n\n**b) For each symbol, grep across the entire codebase** for references, excluding:\n- The definition file itself\n- Generated/vendored directories (`node_modules/`, `dist/`, `build/`, `vendor/`, `__pycache__/`, `.tox/`, `.build/`, `DerivedData/`, `target/`)\n\n**c) Classify each reference** as test or production based on the test file patterns.\n\n**CRITICAL — same-module references count as production usage.** A symbol called by another production file within the same module/package is alive. Do not report symbols as \"dead\" when they have zero *external* callers but are used internally. Only report symbols with zero production references from *any* file. \"Unnecessarily public\" (could be `internal`/unexported) is a visibility issue, not dead code — do not include it.\n\n**d) Report structured results** for each symbol:\n- Symbol name, type (function/class/const/etc.), definition file and line range\n- Number of production references (with file paths) — including same-module references\n- Number of test references (with file paths)\n- Classification: `dead` (zero prod refs anywhere), `test-only` (only test refs), `alive` (has prod refs)\n\n### Merging Results\n\nAfter all subagents complete, collect and merge their results. Deduplicate any symbols that appear in multiple reports (e.g., re-exports).\n\n## Step 4: Filter, Classify & Evaluate\n\nApply these filters to the merged results from Steps 2 and 3:\n\n1. **Framework entry points**: Skip symbols used by convention — React components in barrel files, Django views in URL configs, Go `init()` and `main()` functions, Go interface implementations, Rust `main()`, Rust trait implementations, `#[derive(...)]` generated code, CLI handlers registered in main, magic/lifecycle methods (`__init__`, `__repr__`), serialization methods (`to_json`, `from_dict`), interface/protocol implementations\n2. **Re-export chains**: Trace barrel files (`index.ts`, `__init__.py`) before declaring a symbol dead. A symbol re-exported through a barrel may have indirect consumers.\n3. **Dynamic usage**: Flag symbols that might be used via reflection (`getattr`, `importlib`, `reflect` package in Go, `proc_macro` in Rust), string-based lookups, or decorator/attribute registration as \"likely dead\" rather than \"definite\"\n4. **Cross-package references**: In monorepos, verify a symbol isn't imported by a sibling package before declaring it dead\n5. **Design docs / specs / roadmaps**: If the project has spec files, roadmaps, or TODO files (e.g., `.turbo/specs/`, `ROADMAP.md`, `TODO.md`), cross-reference test-only findings against them. Test-only APIs may be planned features awaiting integration — flag as **investigate** rather than **delete**\n\nClassify each finding:\n- **Definite dead**: zero references outside its definition file\n- **Test-only dead**: references exist, but ALL are in test files\n- **Likely dead**: uncertain due to dynamic usage, framework conventions, or complex re-export chains\n\n### Evaluate Findings\n\nRun the `/evaluate-findings` skill on the classified results to verify each finding against the actual code and weed out false positives. **Read the full definition file** for each finding — not just the flagged symbol. The surrounding code may reveal that the feature is already implemented differently (e.g., a public `ping()` method may be test-only while a private keepalive loop in `handleConnect()` does the real work).\n\nProceed with the evaluation results in the next section.\n\n### Recommend Action\n\nFor each surviving finding, assign a recommendation:\n\n| Signal | Recommendation |\n|--------|---------------|\n| No tests, no production usage | **delete** |\n| Has tests but no production usage, and no spec/roadmap reference | **delete** (method + test assertions) |\n| Has tests but no production usage, referenced in spec/roadmap/TODO | **investigate** (planned feature, not dead) |\n| Partially wired up, unclear intent, or needs domain context | **investigate** |\n\nFor findings marked **investigate**, run the `/investigate` skill to determine whether the code is a planned feature, an unwired integration, or truly dead.\n\n### Common Dead Code Patterns\n\nWatch for these high-yield patterns that tools and simple grep often miss:\n\n1. **Test-only state accessors**: Public properties/methods that expose internal state solely for test assertions (e.g., `isEnabled`, `count`, `currentItems`). The module's production consumers use behavior (events, callbacks, side effects) — only tests peek at the internal state. When removing these, the corresponding test assertions must also be removed or rewritten to use behavior-based verification.\n2. **Unused data model fields**: Properties on serializable types (Codable structs, dataclasses, POJOs) that are decoded but never read by any production code. When removing a field from a serializable type, also update all data files that encode it (JSON, YAML, XML, database schemas, migration files).\n3. **Vestigial enum cases**: Enum cases defined but never constructed or matched against in production code.\n4. **Orphaned convenience methods**: Public wrappers that call through to another public method with slightly different parameters, where all callers use the underlying method directly.\n\n### Adjacent Findings\n\nWhile scanning for dead code, note (but do not act on) these related issues for the user:\n\n- **Bugs near dead code**: Dead code often neighbors buggy code — a missing call, a wiring gap, or an incomplete integration\n- **Unwired features**: Code that is \"almost alive\" — defined, tested, but not connected to the rest of the system. Distinguish from truly dead code.\n\n## Step 5: Present Findings\n\nGroup results by confidence level:\n\n### Definite Dead (zero references outside definition)\n\n| File | Symbol | Type | Line Range | Recommendation |\n|------|--------|------|------------|----------------|\n\n### Test-Only Dead (referenced only in tests)\n\n| File | Symbol | Type | Test files referencing it | Recommendation |\n|------|--------|------|--------------------------|----------------|\n\n### Likely Dead (verify manually)\n\n| File | Symbol | Type | Reason for uncertainty | Recommendation |\n|------|--------|------|------------------------|----------------|\n\nInclude:\n- Total count per category\n- Estimated removable lines\n- Suggested removal order (leaf dependencies first)\n\n## Rules\n\n- If more than 8 top-level source directories are identified, ask the user to narrow scope or group related directories into fewer subagent batches.\n- If no dead code is found, report that explicitly and note any scope limitations or analysis caveats.","tags":["find","dead","code","turbo","tobihagemann","agent-skills","claude-code","claude-skills","developer-tools","skills"],"capabilities":["skill","source-tobihagemann","skill-find-dead-code","topic-agent-skills","topic-claude-code","topic-claude-skills","topic-developer-tools","topic-skills"],"categories":["turbo"],"synonyms":[],"warnings":[],"endpointUrl":"https://skills.sh/tobihagemann/turbo/find-dead-code","protocol":"skill","transport":"skills-sh","auth":{"type":"none","details":{"cli":"npx skills add tobihagemann/turbo","source_repo":"https://github.com/tobihagemann/turbo","install_from":"skills.sh"}},"qualityScore":"0.590","qualityRationale":"deterministic score 0.59 from registry signals: · indexed on github topic:agent-skills · 280 github stars · SKILL.md body (10,906 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-22T00:54:09.740Z","embedding":null,"createdAt":"2026-04-18T22:03:45.922Z","updatedAt":"2026-04-22T00:54:09.740Z","lastSeenAt":"2026-04-22T00:54:09.740Z","tsv":"'/evaluate-findings':1029 '/investigate':1164 '/unexported':705 '1':76,86,326,425,440,456,808,1199 '2':101,257,325,449,805,860,1256 '3':112,151,360,377,387,457,807,888,1302 '4':124,792,922,1318 '5':943,1406 '8':1471 '80':305 'accessor':1204 'across':467,615 'act':1354 'action':1104 'actual':1041 'adjac':1343 'aliv':673,764,1388 'almost':1387 'alreadi':1070 'also':244,1245,1287 'analysi':11,129,159,391,399,1508 'annot':608 'anoth':665,1328 'anyth':385 'anywher':358,757 'api':974 'appear':783 'appli':796 'ask':28,380,1479 'assert':1133,1214,1243 'assign':442,480,1109 'await':979 'b':610 'background':436 'barrel':820,866,883 'base':646,911,1254 'batch':1492 'bean':605 'becom':144 'behavior':1225,1253 'behavior-bas':1252 'bench':221 'benchmark':254 'boundari':81 'bug':1362 'buggi':1370 'build':314,324,631,635 'build.gradle':100 'c':638 'call':663,1325,1374 'callback':1227 'caller':685,1337 'cannot':341 'capit':555,568 'cargo':323 'cargo.toml':97 'case':1305,1307 'categori':1457 'caveat':1509 'cfg':222 'chain':864,1024 'check':87,284 'class':500,516,541,549,591,609 'classif':752 'classifi':639,794,987,1033 'clean':42 'cli':14,260,265,332,370,843 'codabl':1265 'code':4,7,17,32,35,45,48,53,56,62,70,118,172,281,296,329,343,406,712,842,1042,1063,1170,1183,1278,1317,1349,1365,1367,1371,1384,1404,1496 'codebas':59,127,470,618 'collect':774 'common':1181 'compil':321 'complet':773 'complex':1020 'compon':606,818 'confid':304,1412 'config':89,248,826 'conftest.py':208 'connect':1393 'const':494,564,582 'constant':524 'construct':1311 'consum':887,1223 'context':1156 'conveni':1320 'convent':816,1018 'core':60,394 'correspond':1241 'could':702 'count':74,334,657,1217,1455 'critic':652 'cross':924,963 'cross-packag':923 'cross-refer':962 'currentitem':1218 'd':717 'data':1258,1290 'databas':1298 'dataclass':1267 'dead':3,6,23,31,44,52,55,69,179,280,328,679,711,753,875,918,942,991,1001,1011,1147,1180,1182,1348,1364,1366,1403,1415,1429,1443,1495 'deadcod':316,318,319 'declar':872,940 'decod':1271 'decorator/attribute':914 'dedupl':779 'def':514 'default':508 'defin':1308,1389 'definit':623,728,921,990,996,1051,1414,1419 'delet':986,1119,1130 'depend':1465 'deriv':840 'deriveddata':636 'design':944 'detect':77,342,367 'determin':82,1167 'dict':857 'differ':1072,1333 'direct':1342 'directori':136,143,421,443,481,627,1476,1488 'dist':630 'distinguish':1400 'django':822 'doc':945 'domain':1155 'due':1013 'dynam':889,1015 'e.g':120,137,787,958,1073,1215 'effect':1229 'encod':1293 'entir':469,617 'entri':810 'enum':506,545,578,1304,1306 'establish':166 'estim':1458 'evalu':795,1025,1097 'event':1226 'exclud':245,621 'exist':1003 'exit':295 'explicit':1501 'export':38,447,487,491,493,495,497,499,501,503,505,507,790,863,880,1023 'exported/public':484 'expos':1208 'extern':684 'fals':1046 'fast':273 'featur':978,1068,1145,1174,1383 'fewer':1490 'field':597,1260,1282 'file':90,105,164,168,171,182,230,253,255,452,624,650,667,699,729,738,750,821,867,953,957,997,1009,1052,1291,1301,1420,1434,1438,1446 'filter':793,798 'find':2,5,30,33,36,39,51,352,405,483,968,989,1026,1038,1055,1108,1159,1344,1408 'find-dead-cod':1 'first':274,1466 'fixtur':238,239 'flag':891,981,1059 'fn':574 'foo':525 'foobar':558,560,563,565 'found':1498 'framework':809,1017 'full':459,1050 'fun':601 'func':535,551,557 'function':41,492,530,831 'function/class/const/etc':727 'gap':1377 'general':237 'generat':841 'generated/vendored':626 'getattr':899 'glob':102 'go':109,216,315,554,566,827,832,904 'go.mod':98 'grep':327,466,614,1196 'group':1409,1486 'handleconnect':1089 'handler':844 'high':1189 'high-yield':1188 'identifi':54,113,422,556,1478 'implement':834,839,859,1071 'import':330,336,934 'importlib':900 'includ':715,740,1453 'incomplet':1380 'index.ts':868 'indirect':886 'init':828,850,869 'inlin':225 'instal':268,373,384 'integr':980,1177,1381 'intent':1152 'interfac':502,833 'interface/protocol':858 'intern':689,704,1209,1235 'investig':983,1143,1157,1161 'isen':1216 'isn':932 'issu':709,1358 'java':111 'java/kotlin':231,589 'jest.config':249 'js':188,193,200 'json':855,1295 'jsx':189,194,201 'keepal':1086 'knip':287,289,292 'languag':78,180,282,486 'launch':426 'leaf':1464 'let':496,539 'level':134,419,513,523,604,1413,1474 'lib':122 'lib/models':141 'like':917,1010,1442 'limit':331,1506 'line':731,1423,1460 'liter':355 'live':119 'locat':177 'lookup':912 'loop':1087 'macro':906 'magic/lifecycle':848 'main':830,836,847 'manual':1445 'mark':1160 'match':1313 'may':884,975,1064,1078 'merg':768,776,801 'method':849,853,1077,1131,1321,1330,1341 'might':894 'migrat':1300 'min':303 'min-confid':302 'miss':1198,1373 'mock':196,240 'mod':588 'model':429,1259 'modul':224,227,520,522,629,655,743,1220 'module-level':521 'module.exports':509 'module/package':671 'monorepo':928 'multipl':785 'must':1244 'name':725 'narrow':1483 'near':1363 'need':1154 'neighbor':1369 'never':1273,1310 'next':1101 'no-exit-cod':293 'node':628 'non':518 'note':1350,1503 'npx':288,291 'number':733,745 'often':1197,1368 'one':145,427 'open':548,550,552 'option':13,262 'opus':430 'order':1463 'orphan':1319 'outsid':994,1418 'packag':902,925,938 'package.json':91 'package.swift':95 'parallel':9,392,401 'paramet':1334 'partial':1148 'partit':125 'pass':275 'path':462,739,751 'pattern':165,183,453,489,651,1184,1191 'peek':1232 'per':1456 'perform':475 'peripheri':307,309,310 'ping':1076 'plan':977,1144,1173 'point':811 'pojo':1268 'pom.xml':99 'posit':1047 'prefix':519,532 'present':1407 'primari':398 'privat':1085 'proc':905 'proceed':1094 'prod':755,766 'product':72,117,645,659,666,695,735,1117,1124,1138,1222,1277,1316 'project':84,460,950 'properti':600,1261 'properties/methods':1206 'protocol':547 'pub':573,575,577,579,581,583,585,587 'public':529,534,536,538,540,542,544,546,570,590,592,594,596,701,1075,1205,1322,1329 'py':107,204,870 'pycach':633 'pyproject.toml':93 'pytest.ini':251 'python':202,297,510 'quick':258 'rang':732,1424 'rather':919,984 're':789,862,879,1022 're-export':788,861,878,1021 'react':817 'read':1048,1274 'real':338,1092 'reason':1449 'receiv':439 'recommend':1103,1111,1113,1425,1441,1452 'ref':756,763,767 'refer':279,357,620,641,656,696,736,744,748,926,964,993,1002,1129,1417 'referenc':19,173,410,1140,1430,1439 'reflect':898,901 'regist':845 'registr':915 'relat':1357,1487 'remov':1238,1247,1280,1459,1462 'report':676,691,718,786,1499 'repr':851 'requir':362 'rest':1396 'restrict':158 'result':720,769,778,802,1034,1098,1410 'reveal':1065 'rewritten':1249 'roadmap':947,954 'roadmap.md':960 'root':115,461 'rs':110 'rule':61,1467 'run':269,285,434,1027,1162 'runner':247 'rust':219,320,572,835,837,908 'same-modul':653,741 'scan':311,445,1346 'schema':1299 'scope':79,148,157,162,1484,1505 'section':1102 'serial':852 'serializ':1263,1285 'servic':607 'set':433 'setup.py':94 'sibl':937 'side':1228 'signal':1112 'simpl':1195 'skill':1030,1165 'skill-find-dead-code' 'skip':313,374,812 'skip-build':312 'slight':1332 'sole':1211 'sourc':104,114,123,135,229,420,1475 'source-tobihagemann' 'spawn':400 'spec':190,243,946,952 'spec.java':235 'spec/roadmap':1128 'spec/roadmap/todo':1142 'specifi':155 'src':121 'src/api':139 'src/auth':138 'src/test':232 'src/utils':140 'state':1203,1210,1236 'static':584,593 'step':75,150,256,359,376,386,424,455,477,791,804,1405 'still':68 'stori':197 'storybook':252 'strategi':414 'string':910 'string-bas':909 'struct':543,561,576,1266 'structur':85,719 'subag':10,146,393,402,413,428,438,471,474,772,1491 'subclass':215 'suggest':1461 'surround':1062 'surviv':1107 'swift':108,209,306,533 'symbol':353,448,485,488,526,613,662,677,692,723,724,781,813,874,877,892,931,1060,1421,1435,1447 'system':1399 'systemat':404 'target':637 'task':472 'test':21,66,80,163,170,181,185,195,203,206,207,212,220,223,226,246,335,349,365,389,412,451,643,649,747,759,762,966,972,999,1008,1081,1115,1121,1132,1135,1201,1213,1231,1242,1390,1427,1433,1437 'test-on':364,388,758,965,971,998,1080,1200,1426 'test.go':217 'test.java':233 'test.kt':236 'test.py':205 'test.swift':211 'testdata':218 'testhelp':242 'tests.java':234 'tests.swift':210 'testutil':241 'todo':956 'todo.md':961 'tool':15,261,266,283,333,371,1193 'top':133,418,512,603,1473 'top-level':132,417,511,602,1472 'topic-agent-skills' 'topic-claude-code' 'topic-claude-skills' 'topic-developer-tools' 'topic-skills' 'total':1454 'tox':634 'trace':865 'trait':580,838 'treat':16 'truli':1179,1402 'ts':106,186,191,198 'ts/js':184,286,490 'tsconfig.json':92 'tsx':187,192,199 'turbo/specs':959 'type':504,559,586,726,1264,1286,1422,1436,1448 'u':50 'uitests.swift':213 'uncertain':1012 'uncertainti':1451 'unclear':1151 'under':1340 'unit':130 'unnecessarili':700 'unreferenc':40 'unus':34,37,1257 'unwir':1176,1382 'updat':1288 'url':825 'usag':73,339,660,890,1016,1118,1125,1139 'use':8,24,64,347,567,688,814,896,1224,1251,1338 'user':27,154,382,1361,1481 'val':598 'var':498,537,553,562,599 'vendor':632 'verif':1255 'verifi':929,1036,1444 'version':290,300 'vestigi':1303 'via':897 'view':823 'visibl':571,708 'vitest.config':250 'void':595 'vultur':298,299,301 'warn':322 'watch':1185 'weed':1044 'whether':1168 'win':259 'wire':1149,1376 'within':228,668 'work':1093 'wrapper':1323 'xcodeproj':96 'xctestcas':214 'xml':1297 'yaml':1296 'yield':1190 'zero':278,356,683,694,754,992,1416 'zero-refer':277","prices":[{"id":"b9c6ed5d-8249-430c-b2f3-205ebcac4876","listingId":"d72d4c2f-e193-41ec-bfd1-a3aadeb65602","amountUsd":"0","unit":"free","nativeCurrency":null,"nativeAmount":null,"chain":null,"payTo":null,"paymentMethod":"skill-free","isPrimary":true,"details":{"org":"tobihagemann","category":"turbo","install_from":"skills.sh"},"createdAt":"2026-04-18T22:03:45.922Z"}],"sources":[{"listingId":"d72d4c2f-e193-41ec-bfd1-a3aadeb65602","source":"github","sourceId":"tobihagemann/turbo/find-dead-code","sourceUrl":"https://github.com/tobihagemann/turbo/tree/main/skills/find-dead-code","isPrimary":false,"firstSeenAt":"2026-04-18T22:03:45.922Z","lastSeenAt":"2026-04-22T00:54:09.740Z"}],"details":{"listingId":"d72d4c2f-e193-41ec-bfd1-a3aadeb65602","quickStartSnippet":null,"exampleRequest":null,"exampleResponse":null,"schema":null,"openapiUrl":null,"agentsTxtUrl":null,"citations":[],"useCases":[],"bestFor":[],"notFor":[],"kindDetails":{"org":"tobihagemann","slug":"find-dead-code","github":{"repo":"tobihagemann/turbo","stars":280,"topics":["agent-skills","claude-code","claude-skills","developer-tools","skills"],"license":"mit","html_url":"https://github.com/tobihagemann/turbo","pushed_at":"2026-04-21T12:22:12Z","description":"A composable dev process for Claude Code, packaged as modular skills.","skill_md_sha":"6e897d9c621930845831a5993a8bf42ee04bb6f9","skill_md_path":"skills/find-dead-code/SKILL.md","default_branch":"main","skill_tree_url":"https://github.com/tobihagemann/turbo/tree/main/skills/find-dead-code"},"layout":"multi","source":"github","category":"turbo","frontmatter":{"name":"find-dead-code","description":"Find dead code using parallel subagent analysis and optional CLI tools, treating code only referenced from tests as dead. Use when the user asks to \"find dead code\", \"find unused code\", \"find unused exports\", \"find unreferenced functions\", \"clean up dead code\", or \"what code is unused\". Analysis-only — does not modify or delete code."},"skills_sh_url":"https://skills.sh/tobihagemann/turbo/find-dead-code"},"updatedAt":"2026-04-22T00:54:09.740Z"}}