Most software engineers are seriously sleeping on how good LLM agents are right now, especially something like Claude Code.
Once you've got Claude Code set up, you can point it at your codebase, have it learn your conventions, pull in best practices, and refine everything until it's basically operating like a super-powered teammate. The real unlock is building a solid set of reusable "skills" plus a few "agents" for the stuff you do all the time.
Custom UI Library? We have a skill that explains exactly how to use it. Same for how we write tests, how we structure GraphQL, and basically how we want everything done in our repo. So when Claude generates code, it already matches our patterns and standards out of the box.
Automated Quality Gates? We use hooks to auto-format code, run tests when test files change, type-check TypeScript, and even block edits on the main branch. Claude Code also created a bunch of ESLint automation, including custom rules and lint checks that catch issues before they hit review.
Deep Code Review? We have a code review agent that Claude runs after changes are made. It follows a detailed checklist covering TypeScript strict mode, error handling, loading states, mutation patterns, and more. When a PR goes up, we have a GitHub Action that does a full PR review automatically.
Scheduled Maintenance? We've got GitHub workflow agents that run on a schedule:
- Monthly docs sync - Reads commits from the last month and makes sure docs are still aligned
- Weekly code quality - Reviews random directories and auto-fixes issues
- Biweekly dependency audit - Safe dependency updates with test verification
Intelligent Skill Suggestions? We built a skill evaluation system that analyzes every prompt and automatically suggests which skills Claude should activate based on keywords, file paths, and intent patterns.
A ton of maintenance and quality work is just... automated. It runs ridiculously smoothly.
JIRA/Linear Integration? We connect Claude Code to our ticket system via MCP servers. Now Claude can read the ticket, understand the requirements, implement the feature, update the ticket status, and even create new tickets if it finds bugs along the way. The /ticket command handles the entire workflowβfrom reading acceptance criteria to linking the PR back to the ticket.
We even use Claude Code for ticket triage. It reads the ticket, digs into the codebase, and leaves a comment with what it thinks should be done. So when an engineer picks it up, they're basically starting halfway through already.
There is so much low-hanging fruit here that it honestly blows my mind people aren't all over it.
- Directory Structure
- Quick Start
- Configuration Reference
- GitHub Actions Workflows
- Best Practices
- Examples in This Repository
your-project/
βββ CLAUDE.md # Project memory (alternative location)
βββ .mcp.json # MCP server configuration (JIRA, GitHub, etc.)
βββ .claude/
β βββ settings.json # Hooks, environment, permissions
β βββ settings.local.json # Personal overrides (gitignored)
β βββ settings.md # Human-readable hook documentation
β βββ .gitignore # Ignore local/personal files
β β
β βββ agents/ # Custom AI agents
β β βββ code-reviewer.md # Proactive code review agent
β β
β βββ commands/ # Slash commands (/command-name)
β β βββ onboard.md # Deep task exploration
β β βββ pr-review.md # PR review workflow
β β βββ ...
β β
β βββ hooks/ # Hook scripts
β β βββ skill-eval.sh # Skill matching on prompt submit
β β βββ skill-eval.js # Node.js skill matching engine
β β βββ skill-rules.json # Pattern matching configuration
β β
β βββ skills/ # Domain knowledge documents
β β βββ README.md # Skills overview
β β βββ testing-patterns/
β β β βββ SKILL.md
β β βββ graphql-schema/
β β β βββ SKILL.md
β β βββ ...
β β
β βββ rules/ # Modular instructions (optional)
β βββ code-style.md
β βββ security.md
β
βββ .github/
βββ workflows/
βββ pr-claude-code-review.yml # Auto PR review
βββ scheduled-claude-code-docs-sync.yml # Monthly docs sync
βββ scheduled-claude-code-quality.yml # Weekly quality review
βββ scheduled-claude-code-dependency-audit.yml
mkdir -p .claude/{agents,commands,hooks,skills}Create CLAUDE.md in your project root with your project's key information. See CLAUDE.md for a complete example.
# Project Name
## Quick Facts
- **Stack**: React, TypeScript, Node.js
- **Test Command**: `npm run test`
- **Lint Command**: `npm run lint`
## Key Directories
- `src/components/` - React components
- `src/api/` - API layer
- `tests/` - Test files
## Code Style
- TypeScript strict mode
- Prefer interfaces over types
- No `any` - use `unknown`Create .claude/settings.json. See settings.json for a full example with auto-formatting, testing, and more.
{
"hooks": {
"PreToolUse": [
{
"matcher": "Edit|Write",
"hooks": [
{
"type": "command",
"command": "[ \"$(git branch --show-current)\" != \"main\" ] || { echo '{\"block\": true, \"message\": \"Cannot edit on main branch\"}' >&2; exit 2; }",
"timeout": 5
}
]
}
]
}
}Create .claude/skills/testing-patterns/SKILL.md. See testing-patterns/SKILL.md for a comprehensive example.
---
name: testing-patterns
description: Jest testing patterns for this project. Use when writing tests, creating mocks, or following TDD workflow.
---
# Testing Patterns
## Test Structure
- Use `describe` blocks for grouping
- Use `it` for individual tests
- Follow AAA pattern: Arrange, Act, Assert
## Mocking
- Use factory functions: `getMockUser(overrides)`
- Mock external dependencies, not internal modulesTip: The
descriptionfield is criticalβClaude uses it to decide when to apply the skill. Include keywords users would naturally mention.
CLAUDE.md is Claude's persistent memory that loads automatically at session start.
Locations (in order of precedence):
.claude/CLAUDE.md(project, in .claude folder)./CLAUDE.md(project root)~/.claude/CLAUDE.md(user-level, all projects)
What to include:
- Project stack and architecture overview
- Key commands (test, build, lint, deploy)
- Code style guidelines
- Important directories and their purposes
- Critical rules and constraints
π Example: CLAUDE.md
The main configuration file for hooks, environment variables, and permissions.
Location: .claude/settings.json
π Example: settings.json | Human-readable docs
| Event | When It Fires | Use Case |
|---|---|---|
PreToolUse |
Before tool execution | Block edits on main, validate commands |
PostToolUse |
After tool completes | Auto-format, run tests, lint |
UserPromptSubmit |
User submits prompt | Add context, suggest skills |
Stop |
Agent finishes | Decide if Claude should continue |
{
"block": true, // Block the action (PreToolUse only)
"message": "Reason", // Message to show user
"feedback": "Info", // Non-blocking feedback
"suppressOutput": true, // Hide command output
"continue": false // Whether to continue
}0- Success2- Blocking error (PreToolUse only, blocks the tool)- Other - Non-blocking error
MCP (Model Context Protocol) servers let Claude Code connect to external tools like JIRA, GitHub, Slack, databases, and more. This is how you enable workflows like "read a ticket, implement it, and update the ticket status."
Location: .mcp.json (project root, committed to git for team sharing)
π Example: .mcp.json
βββββββββββββββββββ βββββββββββββββββββ βββββββββββββββββββ
β Claude Code ββββββΆβ MCP Server ββββββΆβ External API β
β βββββββ (local bridge) βββββββ (JIRA, GitHub) β
βββββββββββββββββββ βββββββββββββββββββ βββββββββββββββββββ
MCP servers run locally and provide Claude with tools to interact with external services. When you configure a JIRA MCP server, Claude gets tools like jira_get_issue, jira_update_issue, jira_create_issue, etc.
{
"mcpServers": {
"server-name": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-server-name"],
"env": {
"API_KEY": "${API_KEY}"
}
}
}
}Fields:
| Field | Required | Description |
|---|---|---|
type |
Yes | Server type: stdio (local process) or http (remote) |
command |
For stdio | Executable to run (e.g., npx, python) |
args |
No | Command-line arguments |
env |
No | Environment variables (supports ${VAR} expansion) |
url |
For http | Remote server URL |
headers |
For http | HTTP headers for authentication |
{
"mcpServers": {
"jira": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-jira"],
"env": {
"JIRA_HOST": "${JIRA_HOST}",
"JIRA_EMAIL": "${JIRA_EMAIL}",
"JIRA_API_TOKEN": "${JIRA_API_TOKEN}"
}
}
}
}What this enables:
- Read ticket details, acceptance criteria, and comments
- Update ticket status (To Do β In Progress β In Review)
- Add comments with progress updates
- Create new tickets for bugs found during development
- Link PRs to tickets
Example workflow with /ticket command:
You: /ticket PROJ-123
Claude:
1. Fetching PROJ-123 from JIRA...
"Add user profile avatar upload"
2. Reading acceptance criteria...
- Upload button on profile page
- Support JPG/PNG up to 5MB
- Show loading state
3. Searching codebase for related files...
Found: src/screens/Profile/ProfileScreen.tsx
4. Creating branch: cw/PROJ-123-avatar-upload
5. [Implements feature...]
6. Updating JIRA status to "In Review"
Adding comment: "PR #456 ready for review"
7. Creating PR linked to PROJ-123...
Issue Tracking:
{
"jira": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-jira"],
"env": {
"JIRA_HOST": "${JIRA_HOST}",
"JIRA_EMAIL": "${JIRA_EMAIL}",
"JIRA_API_TOKEN": "${JIRA_API_TOKEN}"
}
},
"linear": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-linear"],
"env": { "LINEAR_API_KEY": "${LINEAR_API_KEY}" }
}
}Code & DevOps:
{
"github": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-github"],
"env": { "GITHUB_TOKEN": "${GITHUB_TOKEN}" }
},
"sentry": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-sentry"],
"env": {
"SENTRY_AUTH_TOKEN": "${SENTRY_AUTH_TOKEN}",
"SENTRY_ORG": "${SENTRY_ORG}"
}
}
}Communication:
{
"slack": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-slack"],
"env": {
"SLACK_BOT_TOKEN": "${SLACK_BOT_TOKEN}",
"SLACK_TEAM_ID": "${SLACK_TEAM_ID}"
}
}
}Databases:
{
"postgres": {
"type": "stdio",
"command": "npx",
"args": ["-y", "@anthropic/mcp-postgres"],
"env": { "DATABASE_URL": "${DATABASE_URL}" }
}
}MCP configs support variable expansion:
${VAR}- Expands to environment variable (fails if not set)${VAR:-default}- Uses default if VAR is not set
Set these in your shell profile or .env file (don't commit secrets!):
export JIRA_HOST="https://yourcompany.atlassian.net"
export JIRA_EMAIL="you@company.com"
export JIRA_API_TOKEN="your-api-token"In settings.json, you can auto-approve MCP servers:
{
"enableAllProjectMcpServers": true
}Or approve specific servers:
{
"enabledMcpjsonServers": ["jira", "github", "slack"]
}LSP (Language Server Protocol) gives Claude real-time understanding of your codeβtype information, errors, completions, and navigation. Instead of just reading text, Claude can "see" your code the way your IDE does.
Why this matters: When you edit TypeScript, Claude immediately knows if you introduced a type error. When you reference a function, Claude can jump to its definition. This dramatically improves code generation quality.
LSP support is enabled through plugins in settings.json:
{
"enabledPlugins": {
"typescript-lsp@claude-plugins-official": true,
"pyright-lsp@claude-plugins-official": true
}
}| Feature | Description |
|---|---|
| Diagnostics | Real-time errors and warnings after every edit |
| Type Information | Hover info, function signatures, type definitions |
| Code Navigation | Go to definition, find references |
| Completions | Context-aware symbol suggestions |
| Plugin | Language | Install Binary First |
|---|---|---|
typescript-lsp |
TypeScript/JavaScript | npm install -g typescript-language-server typescript |
pyright-lsp |
Python | pip install pyright |
rust-lsp |
Rust | rustup component add rust-analyzer |
For advanced setups, create .lsp.json:
{
"typescript": {
"command": "typescript-language-server",
"args": ["--stdio"],
"extensionToLanguage": {
".ts": "typescript",
".tsx": "typescriptreact"
},
"initializationOptions": {
"preferences": {
"quotePreference": "single"
}
}
}
}If LSP isn't working:
-
Check binary is installed:
which typescript-language-server # Should return a path -
Enable debug logging:
claude --enable-lsp-logging
-
Check plugin status:
claude /plugin # View Errors tab
One of our most powerful automations is the skill evaluation system. It runs on every prompt submission and intelligently suggests which skills Claude should activate.
π Files: skill-eval.sh | skill-eval.js | skill-rules.json
When you submit a prompt, the UserPromptSubmit hook triggers our skill evaluation engine:
-
Prompt Analysis - The engine analyzes your prompt for:
- Keywords: Simple word matching (
test,form,graphql,bug) - Patterns: Regex matching (
\btest(?:s|ing)?\b,\.stories\.) - File Paths: Extracts mentioned files (
src/components/Button.tsx) - Intent: Detects what you're trying to do (
create.*test,fix.*bug)
- Keywords: Simple word matching (
-
Directory Mapping - File paths are mapped to relevant skills:
{ "src/components/core": "core-components", "src/graphql": "graphql-schema", ".github/workflows": "github-actions", "src/hooks": "react-ui-patterns" } -
Confidence Scoring - Each trigger type has a point value:
{ "keyword": 2, "keywordPattern": 3, "pathPattern": 4, "directoryMatch": 5, "intentPattern": 4 } -
Skill Suggestion - Skills exceeding the confidence threshold are suggested with reasons:
SKILL ACTIVATION REQUIRED Detected file paths: src/components/UserForm.tsx Matched skills (ranked by relevance): 1. formik-patterns (HIGH confidence) Matched: keyword "form", path "src/components/UserForm.tsx" 2. react-ui-patterns (MEDIUM confidence) Matched: directory mapping, keyword "component"
Skills are defined in skill-rules.json:
{
"testing-patterns": {
"description": "Jest testing patterns and TDD workflow",
"priority": 9,
"triggers": {
"keywords": ["test", "jest", "spec", "tdd", "mock"],
"keywordPatterns": ["\\btest(?:s|ing)?\\b", "\\bspec\\b"],
"pathPatterns": ["**/*.test.ts", "**/*.test.tsx"],
"intentPatterns": [
"(?:write|add|create|fix).*(?:test|spec)",
"(?:test|spec).*(?:for|of|the)"
]
},
"excludePatterns": ["e2e", "maestro", "end-to-end"]
}
}-
Copy the hooks to your project:
cp -r .claude/hooks/ your-project/.claude/hooks/
-
Add the hook to your
settings.json:{ "hooks": { "UserPromptSubmit": [ { "hooks": [ { "type": "command", "command": "\"$CLAUDE_PROJECT_DIR\"/.claude/hooks/skill-eval.sh", "timeout": 5 } ] } ] } } -
Customize skill-rules.json with your project's skills and triggers.
Skills are markdown documents that teach Claude project-specific patterns and conventions.
Location: .claude/skills/{skill-name}/SKILL.md
π Examples:
- testing-patterns - TDD, factory functions, mocking
- systematic-debugging - Four-phase debugging methodology
- react-ui-patterns - Loading states, error handling
- graphql-schema - Queries, mutations, codegen
- core-components - Design system, tokens
- formik-patterns - Form handling, validation
| Field | Required | Max Length | Description |
|---|---|---|---|
name |
Yes | 64 chars | Lowercase letters, numbers, and hyphens only. Should match directory name. |
description |
Yes | 1024 chars | What the skill does and when to use it. Claude uses this to decide when to apply the skill. |
allowed-tools |
No | - | Comma-separated list of tools Claude can use (e.g., Read, Grep, Bash(npm:*)). |
model |
No | - | Specific model to use (e.g., claude-sonnet-4-20250514). |
---
name: skill-name
description: What this skill does and when to use it. Include keywords users would mention.
allowed-tools: Read, Grep, Glob
model: claude-sonnet-4-20250514
---
# Skill Title
## When to Use
- Trigger condition 1
- Trigger condition 2
## Core Patterns
### Pattern Name
```typescript
// Example code// Bad example- Related skill:
other-skill
#### Best Practices for Skills
1. **Keep SKILL.md focused** - Under 500 lines; put detailed docs in separate referenced files
2. **Write trigger-rich descriptions** - Claude uses semantic matching on descriptions to decide when to apply skills
3. **Include examples** - Show both good and bad patterns with code
4. **Reference other skills** - Show how skills work together
5. **Use exact filename** - Must be `SKILL.md` (case-sensitive)
---
### Agents - Specialized Assistants
Agents are AI assistants with focused purposes and their own prompts.
**Location:** `.claude/agents/{agent-name}.md`
**π Examples:**
- [code-reviewer.md](.claude/agents/code-reviewer.md) - Comprehensive code review with checklist
- [github-workflow.md](.claude/agents/github-workflow.md) - Git commits, branches, PRs
#### Agent Format
```markdown
---
name: code-reviewer
description: Reviews code for quality, security, and conventions. Use after writing or modifying code.
model: opus
---
# Agent System Prompt
You are a senior code reviewer...
## Your Process
1. Run `git diff` to see changes
2. Apply review checklist
3. Provide feedback
## Checklist
- [ ] No TypeScript `any`
- [ ] Error handling present
- [ ] Tests included
| Field | Required | Description |
|---|---|---|
name |
Yes | Lowercase with hyphens |
description |
Yes | When/why to use (max 1024 chars) |
model |
No | sonnet, opus, or haiku |
tools |
No | Comma-separated tool list |
Custom commands invoked with /command-name.
Location: .claude/commands/{command-name}.md
π Examples:
- onboard.md - Deep task exploration
- pr-review.md - PR review workflow
- pr-summary.md - Generate PR description
- code-quality.md - Quality checks
- docs-sync.md - Documentation alignment
---
description: Brief description shown in command list
allowed-tools: Bash(git:*), Read, Grep
---
# Command Instructions
Your task is to: $ARGUMENTS
## Steps
1. Do this first
2. Then do this$ARGUMENTS- All arguments as single string$1,$2,$3- Individual positional arguments
Current branch: !`git branch --show-current`
Recent commits: !`git log --oneline -5`Automate code review, quality checks, and maintenance with Claude Code.
π Examples:
- pr-claude-code-review.yml - Auto PR review
- scheduled-claude-code-docs-sync.yml - Monthly docs sync
- scheduled-claude-code-quality.yml - Weekly quality review
- scheduled-claude-code-dependency-audit.yml - Biweekly dependency updates
Automatically reviews PRs and responds to @claude mentions.
name: PR - Claude Code Review
on:
pull_request:
types: [opened, synchronize, reopened]
issue_comment:
types: [created]
jobs:
review:
if: |
github.event_name == 'pull_request' ||
(github.event_name == 'issue_comment' &&
github.event.issue.pull_request &&
contains(github.event.comment.body, '@claude'))
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
with:
fetch-depth: 0
- uses: anthropics/claude-code-action@beta
with:
anthropic_api_key: ${{ secrets.ANTHROPIC_API_KEY }}
model: claude-opus-4-5-20251101
prompt: |
Review this PR using .claude/agents/code-reviewer.md standards.
Run `git diff origin/main...HEAD` to see changes.| Workflow | Schedule | Purpose |
|---|---|---|
| Code Quality | Weekly (Sunday) | Reviews random directories, auto-fixes issues |
| Docs Sync | Monthly (1st) | Ensures docs align with code changes |
| Dependency Audit | Biweekly (1st & 15th) | Safe dependency updates with testing |
Add ANTHROPIC_API_KEY to your repository secrets:
- Settings β Secrets and variables β Actions β New repository secret
| Workflow | Frequency | Est. Cost |
|---|---|---|
| PR Review | Per PR | ~$0.05 - $0.50 |
| Docs Sync | Monthly | ~$0.50 - $2.00 |
| Dependency Audit | Biweekly | ~$0.20 - $1.00 |
| Code Quality | Weekly | ~$1.00 - $5.00 |
Estimated monthly total: ~$10 - $50 (depending on PR volume)
Your CLAUDE.md is the foundation. Include:
- Stack overview
- Key commands
- Critical rules
- Directory structure
Don't try to document everything at once:
- Start with your most common patterns
- Add skills as pain points emerge
- Keep each skill focused on one domain
Let hooks handle repetitive tasks:
- Auto-format on save
- Run tests when test files change
- Regenerate types when schemas change
- Block edits on protected branches
Agents are great for:
- Code review (with your team's checklist)
- PR creation and management
- Debugging workflows
- Onboarding to tasks
Automate maintenance:
- PR reviews on every PR
- Weekly quality sweeps
- Monthly docs alignment
- Dependency updates
Commit everything except:
settings.local.json(personal preferences)CLAUDE.local.md(personal notes)- User-specific credentials
- Claude Code Documentation
- Claude Code Action - GitHub Action
- Anthropic API
MIT - Use this as a template for your own projects.