oh-my-customcode 0.39.0 → 0.40.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -13,7 +13,7 @@
13
13
 
14
14
  **[한국어 문서 (Korean)](./README_ko.md)**
15
15
 
16
- 44 agents. 74 skills. 20 rules. One command.
16
+ 44 agents. 74 skills. 21 rules. One command.
17
17
 
18
18
  ```bash
19
19
  npm install -g oh-my-customcode && cd your-project && omcustom init
@@ -203,15 +203,15 @@ All commands are invoked inside the Claude Code conversation.
203
203
 
204
204
  ---
205
205
 
206
- ### Rules (20)
206
+ ### Rules (21)
207
207
 
208
208
  | Priority | Count | Purpose |
209
209
  |----------|-------|---------|
210
- | **MUST** | 13 | Safety, permissions, agent design, identification, orchestration, verification, completion |
210
+ | **MUST** | 14 | Safety, permissions, agent design, identification, orchestration, verification, completion, enforcement |
211
211
  | **SHOULD** | 6 | Interaction, error handling, memory, HUD, ecomode, ontology routing |
212
212
  | **MAY** | 1 | Optimization |
213
213
 
214
- Key rules: R010 (orchestrator never writes files), R009 (parallel execution mandatory), R017 (sauron verification before push), R020 (completion verification before declaring done).
214
+ Key rules: R010 (orchestrator never writes files), R009 (parallel execution mandatory), R017 (sauron verification before push), R020 (completion verification before declaring done), R021 (advisory-first enforcement model).
215
215
 
216
216
  ---
217
217
 
@@ -258,7 +258,7 @@ your-project/
258
258
  ├── .claude/
259
259
  │ ├── agents/ # 44 agent definitions
260
260
  │ ├── skills/ # 74 skill modules
261
- │ ├── rules/ # 20 governance rules (R000-R020)
261
+ │ ├── rules/ # 21 governance rules (R000-R021)
262
262
  │ ├── hooks/ # 15 lifecycle hook scripts
263
263
  │ ├── schemas/ # Tool input validation schemas
264
264
  │ ├── specs/ # Extracted canonical specs
package/package.json CHANGED
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "name": "oh-my-customcode",
3
3
  "workspaces": ["packages/*"],
4
- "version": "0.39.0",
4
+ "version": "0.40.0",
5
5
  "description": "Batteries-included agent harness for Claude Code",
6
6
  "type": "module",
7
7
  "bin": {
@@ -75,6 +75,19 @@ All members must be spawned in a single message. Partial spawning needs correcti
75
75
  ╚══════════════════════════════════════════════════════════════════╝
76
76
  ```
77
77
 
78
+ ### External Skill Conflict Resolution
79
+
80
+ When an external skill instructs using Agent tool but R018 criteria are met:
81
+
82
+ | Skill says | R018 requires | Resolution |
83
+ |------------|--------------|------------|
84
+ | "Use Agent tool for N tasks" | 3+ agents → Teams | Use Agent Teams, follow skill logic |
85
+ | "Sequential agent spawning" | Independent tasks → parallel | Parallelize per R009 |
86
+ | "Skip coordination" | Shared state → Teams | Use Teams for coordination |
87
+
88
+ **Rule**: External skills define the WORKFLOW. R018 defines the EXECUTION METHOD.
89
+ The skill's steps are followed, but agent spawning uses Teams when criteria are met.
90
+
78
91
  ## Common Violations
79
92
 
80
93
  ```
@@ -23,3 +23,19 @@ Update the relevant rule rather than just acknowledging the violation.
23
23
  | User points out violation | Update rule → Continue |
24
24
  | Self-detected violation | Fix immediately, consider rule update |
25
25
  | Ambiguous situation | Ask user, then update if needed |
26
+
27
+ ## Anti-Patterns
28
+
29
+ | Anti-Pattern | Why It's Wrong | Correct Action |
30
+ |-------------|----------------|----------------|
31
+ | "I'll update the rule later" | Deferred fixes are forgotten | Update rule NOW, before continuing |
32
+ | "This is a one-time exception" | Exceptions become patterns | If the rule is wrong, fix it; if it's right, follow it |
33
+ | "The rule doesn't cover this case" | Missing coverage = rule gap | Add the case to the rule immediately |
34
+ | "Let me finish the task first" | Rule violations compound | Fix rule first (5 min), then continue (prevents N future violations) |
35
+
36
+ ## Timing
37
+
38
+ Rule updates MUST happen:
39
+ - **Before** continuing the original task
40
+ - **In the same session** as the violation
41
+ - **Not** as a separate TODO or follow-up issue
@@ -0,0 +1,42 @@
1
+ # [MUST] Enforcement Policy
2
+
3
+ > **Priority**: MUST | **ID**: R021
4
+
5
+ ## Core Policy
6
+
7
+ oh-my-customcode uses an **advisory-first enforcement model**. Most rules are enforced through prompt engineering (CLAUDE.md, rules/, PostCompact hook) rather than hard-blocking hooks. This is intentional — it preserves agent flexibility while maintaining behavioral standards.
8
+
9
+ ## Enforcement Tiers
10
+
11
+ | Tier | Mechanism | Rules | Behavior |
12
+ |------|-----------|-------|----------|
13
+ | Hard Block | PreToolUse hook, exit 1 | stage-blocker, dev-server tmux | Prevents tool execution |
14
+ | Soft Block | Stop hook prompt | R011 session-end saves | Auto-performs then approves |
15
+ | Advisory | PostToolUse hooks | R007, R008, R009, R010, R018 | Warns via stderr, never blocks |
16
+ | Prompt-based | CLAUDE.md + rules/ + PostCompact | All MUST rules | Behavioral guidance in context |
17
+
18
+ ## Why Advisory-First
19
+
20
+ 1. **Agent flexibility**: Hard blocks can trap agents in unrecoverable states
21
+ 2. **Graceful degradation**: Missing dependencies (jq, etc.) don't break the session
22
+ 3. **Composability**: External skills and internal rules can coexist without deadlocks
23
+ 4. **PostCompact reinforcement**: R007/R008/R009/R010/R018 are re-injected after context compaction
24
+
25
+ ## Hard Enforcement Candidates (Future)
26
+
27
+ If advisory enforcement proves insufficient for specific rules, these are candidates for promotion to hard-block:
28
+
29
+ | Rule | Candidate Hook | Condition for Promotion |
30
+ |------|---------------|------------------------|
31
+ | R010 | git-delegation-guard.sh | If orchestrator-direct-write violations exceed 3/session |
32
+ | R007/R008 | (new hook) | If identification omission rate exceeds 20% |
33
+
34
+ Promotion requires: (1) measured violation rate data, (2) user approval, (3) rollback plan.
35
+
36
+ ## Integration
37
+
38
+ | Rule | Interaction |
39
+ |------|-------------|
40
+ | R010 | git-delegation-guard.sh is advisory; could promote to blocking |
41
+ | R016 | Violations trigger rule updates, not enforcement changes |
42
+ | PostCompact | Re-injects critical rules to combat context compaction amnesia |
@@ -207,17 +207,24 @@ All git operations (commit, push, branch, PR) MUST go through `mgr-gitnerd`. Int
207
207
 
208
208
  ## External Skills vs Internal Rules
209
209
 
210
- ```
211
- Internal rules always take precedence over external skills.
210
+ Internal rules ALWAYS take precedence over external skills.
211
+
212
+ This applies to ALL rule domains, not just git operations:
212
213
 
213
- Translation:
214
- External skill says → Internal rule requires
215
- ─────────────────────────────────────────────────────
216
- "git commit -m ..." Agent(mgr-gitnerd) commit
217
- "git push ..." Agent(mgr-gitnerd) push
218
- "gh pr create ..." Agent(mgr-gitnerd) create PR
219
- "git merge ..." Agent(mgr-gitnerd) merge
214
+ | External skill says | Internal rule requires |
215
+ |---------------------|----------------------|
216
+ | "git commit -m ..." | Agent(mgr-gitnerd) commit (R010) |
217
+ | "run 3 agents sequentially" | Parallel execution if independent (R009) |
218
+ | "use Agent tool for 5 research tasks" | Agent Teams when criteria met (R018) |
219
+ | "skip code review" | Follow project review workflow |
220
+ | "write files directly" | Delegate to specialist subagent (R010) |
220
221
 
222
+ When a skill's workflow conflicts with R009/R010/R018:
223
+ 1. Follow the skill's LOGIC and STEPS
224
+ 2. Replace the EXECUTION method with rule-compliant alternatives
225
+ 3. The skill defines WHAT to do; rules define HOW to execute
226
+
227
+ ```
221
228
  Incorrect:
222
229
  [Using external skill]
223
230
  Main conversation → directly runs "git push"
@@ -0,0 +1,271 @@
1
+ # AI 에이전트 시스템
2
+
3
+ oh-my-customcode로 구동됩니다.
4
+
5
+ ---
6
+ ## 모든 응답 전 반드시 확인
7
+
8
+ 1. 에이전트 식별로 시작하는가? (R007) 2. 도구 호출에 식별 포함? (R008) 3. 2+ 에이전트 스폰 시 R018 체크? → 하나라도 NO면 즉시 수정
9
+
10
+ ---
11
+
12
+ ## 중요: 규칙 적용 범위
13
+
14
+ > **이 규칙들은 상황에 관계없이 항상 적용됩니다:**
15
+
16
+ | 상황 | 규칙 적용? |
17
+ |------|-----------|
18
+ | 이 프로젝트 작업 시 | **예** |
19
+ | 외부 프로젝트 작업 시 | **예** |
20
+ | 컨텍스트 압축 후 | **예** |
21
+ | 간단한 질문 | **예** |
22
+ | 모든 상황 | **예** |
23
+
24
+ ---
25
+
26
+ ## 중요: 세션 연속성
27
+
28
+ > **이 규칙들은 컨텍스트 압축 후에도 항상 적용됩니다.**
29
+
30
+ ```
31
+ "compact conversation" 후 세션이 계속될 때:
32
+ 1. 이 CLAUDE.md를 즉시 다시 읽기
33
+ 2. 모든 강제 규칙 활성 상태 유지
34
+ 3. 이전 컨텍스트 요약이 이 규칙을 대체하지 않음
35
+ 4. 첫 응답은 반드시 에이전트 식별 포함
36
+
37
+ 예외 없음. 변명 없음.
38
+ ```
39
+
40
+ ---
41
+
42
+ ## 중요: 강제 규칙
43
+
44
+ > **이 규칙들은 협상 불가. 위반 = 즉시 수정 필요.**
45
+
46
+ | 규칙 | 핵심 | 위반 시 |
47
+ |------|------|--------|
48
+ | R007 에이전트 식별 | 모든 응답은 `┌─ Agent:` 헤더로 시작 | 즉시 헤더 추가 |
49
+ | R008 도구 식별 | 모든 도구 호출에 `[에이전트명][모델] → Tool:` 접두사 | 즉시 접두사 추가 |
50
+ | R009 병렬 실행 | 독립 작업 2개 이상 → 병렬 에이전트 (최대 4개) | 순차 실행 중단, 병렬로 전환 |
51
+ | R010 오케스트레이터 | 오케스트레이터는 파일 수정 금지 → 서브에이전트에 위임 | 직접 수정 중단, 위임 |
52
+
53
+ ---
54
+
55
+ ## 전역 규칙 (필수 준수)
56
+
57
+ > `.claude/rules/` 참조
58
+
59
+ ### MUST (절대 위반 금지)
60
+ | ID | 규칙 | 설명 |
61
+ |----|------|------|
62
+ | R000 | 언어 정책 | 한국어 입출력, 영어 파일, 위임 모델 |
63
+ | R001 | 안전 규칙 | 금지된 작업, 필수 확인 |
64
+ | R002 | 권한 규칙 | 도구 티어, 파일 접근 범위 |
65
+ | R006 | 에이전트 설계 | 에이전트 구조, 관심사 분리 |
66
+ | R007 | 에이전트 식별 | **강제** - 모든 응답에 에이전트/스킬 표시 |
67
+ | R008 | 도구 식별 | **강제** - 모든 도구 사용 시 에이전트 표시 |
68
+ | R009 | 병렬 실행 | **강제** - 병렬 실행, 대규모 작업 분해 |
69
+ | R010 | 오케스트레이터 조율 | **강제** - 오케스트레이터 조율, 세션 연속성, 직접 실행 금지 |
70
+ | R015 | 의도 투명성 | **강제** - 투명한 에이전트 라우팅 |
71
+ | R016 | 지속적 개선 | **강제** - 위반 발생 시 규칙 업데이트 |
72
+ | R017 | 동기화 검증 | **강제** - 구조 변경 전 검증 |
73
+ | R018 | Agent Teams | **강제(조건부)** - Agent Teams 활성화 시 적합한 작업에 필수 사용 |
74
+ | R020 | 완료 검증 | **강제** - 작업 완료 선언 전 검증 필수 |
75
+ | R021 | Enforcement Policy | **강제** - Advisory-first enforcement model |
76
+
77
+ ### SHOULD (강력 권장)
78
+ | ID | 규칙 | 설명 |
79
+ |----|------|------|
80
+ | R003 | 상호작용 규칙 | 응답 원칙, 상태 형식 |
81
+ | R004 | 오류 처리 | 오류 수준, 복구 전략 |
82
+ | R011 | 메모리 통합 | claude-mem을 통한 세션 지속성 |
83
+ | R012 | HUD 상태줄 | 실시간 상태 표시 |
84
+ | R013 | Ecomode | 배치 작업 토큰 효율성 |
85
+ | R019 | Ontology-RAG 라우팅 | 라우팅 스킬의 ontology-RAG enrichment |
86
+
87
+ ### MAY (선택)
88
+ | ID | 규칙 | 설명 |
89
+ |----|------|------|
90
+ | R005 | 최적화 | 효율성, 토큰 최적화 |
91
+
92
+ ## 커맨드
93
+
94
+ ### 슬래시 커맨드 (스킬 기반)
95
+
96
+ | 커맨드 | 설명 |
97
+ |--------|------|
98
+ | `/omcustom:analysis` | 프로젝트 분석 및 자동 커스터마이징 |
99
+ | `/omcustom:create-agent` | 새 에이전트 생성 |
100
+ | `/omcustom:update-docs` | 프로젝트 구조와 문서 동기화 |
101
+ | `/omcustom:update-external` | 외부 소스에서 에이전트 업데이트 |
102
+ | `/omcustom:audit-agents` | 에이전트 의존성 감사 |
103
+ | `/omcustom:fix-refs` | 깨진 참조 수정 |
104
+ | `/omcustom:takeover` | 기존 에이전트/스킬에서 canonical spec 추출 |
105
+ | `/dev-review` | 코드 베스트 프랙티스 리뷰 |
106
+ | `/dev-refactor` | 코드 리팩토링 |
107
+ | `/memory-save` | 세션 컨텍스트를 claude-mem에 저장 |
108
+ | `/memory-recall` | 메모리 검색 및 리콜 |
109
+ | `/omcustom:monitoring-setup` | OTel 콘솔 모니터링 활성화/비활성화 |
110
+ | `/omcustom:npm-publish` | npm 레지스트리에 패키지 배포 |
111
+ | `/omcustom:npm-version` | 시맨틱 버전 관리 |
112
+ | `/omcustom:npm-audit` | 의존성 감사 |
113
+ | `/omcustom:release-notes` | 릴리즈 노트 생성 (git 히스토리 기반) |
114
+ | `/codex-exec` | Codex CLI 프롬프트 실행 |
115
+ | `/optimize-analyze` | 번들 및 성능 분석 |
116
+ | `/optimize-bundle` | 번들 크기 최적화 |
117
+ | `/optimize-report` | 최적화 리포트 생성 |
118
+ | `/research` | 10-team 병렬 딥 분석 및 교차 검증 |
119
+ | `/deep-plan` | 연구 검증 기반 계획 수립 (research → plan → verify) |
120
+ | `/omcustom:sauron-watch` | 전체 R017 검증 |
121
+ | `/structured-dev-cycle` | 6단계 구조적 개발 사이클 (Plan → Verify → Implement → Verify → Compound → Done) |
122
+ | `/omcustom:lists` | 모든 사용 가능한 커맨드 표시 |
123
+ | `/omcustom:status` | 시스템 상태 표시 |
124
+ | `/omcustom:help` | 도움말 표시 |
125
+
126
+ ## 프로젝트 구조
127
+
128
+ ```
129
+ project/
130
+ +-- CLAUDE.md # 진입점
131
+ +-- .claude/
132
+ | +-- agents/ # 서브에이전트 정의 (44 파일)
133
+ | +-- skills/ # 스킬 (74 디렉토리)
134
+ | +-- rules/ # 전역 규칙 (R000-R021)
135
+ | +-- hooks/ # 훅 스크립트 (보안, 검증, HUD)
136
+ | +-- contexts/ # 컨텍스트 파일 (ecomode)
137
+ +-- guides/ # 레퍼런스 문서 (25 토픽)
138
+ ```
139
+
140
+ ## 오케스트레이션
141
+
142
+ 오케스트레이션은 메인 대화의 라우팅 스킬로 처리됩니다:
143
+ - **secretary-routing**: 매니저 에이전트로 관리 작업 라우팅
144
+ - **dev-lead-routing**: 언어/프레임워크 전문가에게 개발 작업 라우팅
145
+ - **de-lead-routing**: 데이터 엔지니어링 작업을 DE/파이프라인 전문가에게 라우팅
146
+ - **qa-lead-routing**: QA 워크플로우 조율
147
+
148
+ 메인 대화가 유일한 오케스트레이터 역할을 합니다. 서브에이전트는 다른 서브에이전트를 생성할 수 없습니다.
149
+
150
+ ### 동적 에이전트 생성
151
+
152
+ 기존 에이전트 중 작업에 맞는 전문가가 없으면 자동으로 생성합니다:
153
+
154
+ 1. 라우팅 스킬이 매칭 전문가 없음을 감지
155
+ 2. 오케스트레이터가 mgr-creator에 컨텍스트와 함께 위임
156
+ 3. mgr-creator가 관련 skills/guides를 자동 탐색
157
+ 4. 새 에이전트 생성 후 즉시 사용
158
+
159
+ 이것이 oh-my-customcode의 핵심 철학입니다: **"전문가가 없으면? 만들고, 지식을 연결하고, 사용한다."**
160
+
161
+ ## 아키텍처 철학: 컴파일레이션 메타포
162
+
163
+ oh-my-customcode는 소프트웨어 컴파일과 동일한 구조를 따릅니다:
164
+
165
+ | 컴파일 개념 | oh-my-customcode 매핑 | 역할 |
166
+ |------------|----------------------|------|
167
+ | Source code | `.claude/skills/` | 재사용 가능한 지식과 워크플로우 정의 |
168
+ | Build artifacts | `.claude/agents/` | 스킬을 조합한 실행 가능한 전문가 |
169
+ | Compiler | `mgr-sauron` (R017) | 구조 검증 및 정합성 보장 |
170
+ | Spec | `.claude/rules/` | 빌드 규칙과 제약 조건 |
171
+ | Linker | Routing skills | 에이전트를 작업에 연결 |
172
+ | Standard library | `guides/` | 공유 레퍼런스 문서 |
173
+
174
+ 이 메타포는 관심사 분리(R006)의 핵심입니다: 스킬(소스)을 에이전트(빌드 결과물)와 분리하여 독립적 진화를 가능하게 합니다.
175
+
176
+ ## 에이전트 요약
177
+
178
+ | 타입 | 수량 | 에이전트 |
179
+ |------|------|----------|
180
+ | SW Engineer/Language | 6 | lang-golang-expert, lang-python-expert, lang-rust-expert, lang-kotlin-expert, lang-typescript-expert, lang-java21-expert |
181
+ | SW Engineer/Backend | 6 | be-fastapi-expert, be-springboot-expert, be-go-backend-expert, be-express-expert, be-nestjs-expert, be-django-expert |
182
+ | SW Engineer/Frontend | 4 | fe-vercel-agent, fe-vuejs-agent, fe-svelte-agent, fe-flutter-agent |
183
+ | SW Engineer/Tooling | 3 | tool-npm-expert, tool-optimizer, tool-bun-expert |
184
+ | DE Engineer | 6 | de-airflow-expert, de-dbt-expert, de-spark-expert, de-kafka-expert, de-snowflake-expert, de-pipeline-expert |
185
+ | SW Engineer/Database | 3 | db-supabase-expert, db-postgres-expert, db-redis-expert |
186
+ | Security | 1 | sec-codeql-expert |
187
+ | SW Architect | 2 | arch-documenter, arch-speckit-agent |
188
+ | Infra Engineer | 2 | infra-docker-expert, infra-aws-expert |
189
+ | QA Team | 3 | qa-planner, qa-writer, qa-engineer |
190
+ | Manager | 6 | mgr-creator, mgr-updater, mgr-supplier, mgr-gitnerd, mgr-sauron, mgr-claude-code-bible |
191
+ | System | 2 | sys-memory-keeper, sys-naggy |
192
+ | **총계** | **44** | |
193
+
194
+ ## Agent Teams (MUST when enabled)
195
+
196
+ Claude Code의 Agent Teams 기능이 활성화되어 있으면 (`CLAUDE_CODE_EXPERIMENTAL_AGENT_TEAMS=1`), 적격한 작업에 적극적으로 사용합니다.
197
+
198
+ | 기능 | 서브에이전트 (기본) | Agent Teams |
199
+ |------|---------------------|-------------|
200
+ | 통신 | 호출자에게 결과만 반환 | 피어 투 피어 메시지 |
201
+ | 조율 | 오케스트레이터가 관리 | 공유 작업 목록 |
202
+ | 적합한 작업 | 집중된 작업 | 리서치, 리뷰, 디버깅 |
203
+ | 토큰 비용 | 낮음 | 높음 |
204
+
205
+ **활성화 시, 적격한 협업 작업에 Agent Teams를 반드시 사용해야 합니다 (R018 MUST).**
206
+ 결정 매트릭스는 R018 (MUST-agent-teams.md)을 참조하세요.
207
+ 하이브리드 패턴 (Claude + Codex, 동적 생성 + Teams)이 지원됩니다.
208
+ 단순/비용 민감 작업에는 Task tool + 라우팅 스킬이 폴백으로 유지됩니다.
209
+
210
+ ## 빠른 참조
211
+
212
+ ```bash
213
+ # 프로젝트 분석
214
+ /omcustom:analysis
215
+
216
+ # 모든 커맨드 표시
217
+ /omcustom:lists
218
+
219
+ # 에이전트 관리
220
+ /omcustom:create-agent my-agent
221
+ /omcustom:update-docs
222
+ /omcustom:audit-agents
223
+
224
+ # 코드 리뷰
225
+ /dev-review src/main.go
226
+
227
+ # 메모리 관리
228
+ /memory-save
229
+ /memory-recall authentication
230
+
231
+ # 검증
232
+ /omcustom:sauron-watch
233
+ ```
234
+
235
+ ## 외부 의존성
236
+
237
+ ### 필수 플러그인
238
+
239
+ `/plugin install <이름>`으로 설치:
240
+
241
+ | 플러그인 | 소스 | 용도 |
242
+ |----------|------|------|
243
+ | superpowers | claude-plugins-official | TDD, 디버깅, 협업 패턴 |
244
+ | superpowers-developing-for-claude-code | superpowers-marketplace | Claude Code 개발 문서 |
245
+ | elements-of-style | superpowers-marketplace | 글쓰기 명확성 가이드라인 |
246
+ | obsidian-skills | - | 옵시디언 마크다운 지원 |
247
+ | context7 | claude-plugins-official | 라이브러리 문서 조회 |
248
+
249
+ ### 권장 MCP 서버
250
+
251
+ | 서버 | 용도 |
252
+ |------|------|
253
+ | claude-mem | 세션 메모리 영속성 (Chroma 기반) |
254
+
255
+ ### 설치 명령어
256
+
257
+ ```bash
258
+ # 마켓플레이스 추가
259
+ /plugin marketplace add obra/superpowers-marketplace
260
+
261
+ # 플러그인 설치
262
+ /plugin install superpowers
263
+ /plugin install superpowers-developing-for-claude-code
264
+ /plugin install elements-of-style
265
+
266
+ # MCP 설정 (claude-mem)
267
+ npm install -g claude-mem
268
+ claude-mem setup
269
+ ```
270
+
271
+ <!-- omcustom:git-workflow -->
@@ -1,12 +1,12 @@
1
1
  {
2
- "version": "0.39.0",
2
+ "version": "0.40.0",
3
3
  "lastUpdated": "2026-03-16T00:00:00.000Z",
4
4
  "components": [
5
5
  {
6
6
  "name": "rules",
7
7
  "path": ".claude/rules",
8
8
  "description": "Agent behavior rules and guidelines",
9
- "files": 20
9
+ "files": 21
10
10
  },
11
11
  {
12
12
  "name": "agents",