Markdown Converter
Agent skill for markdown-converter
Use when creating new Claude Code skills or improving existing ones - ensures skills are discoverable, scannable, and effective through proper structure, CSO optimization, and real examples
Sign in to like and favorite skills
---
name: creating-skills
description: Use when creating new Claude Code skills or improving existing ones - ensures skills are discoverable, scannable, and effective through proper structure, CSO optimization, and real examples
---
# Creating Skills
## Overview
**Skills are reference guides for proven techniques, patterns, or tools.** Write them to help future Claude instances quickly find and apply effective approaches.
Skills must be **discoverable** (Claude can find them), **scannable** (quick to evaluate), and **actionable** (clear examples).
**Core principle**: Default assumption is Claude is already very smart. Only add context Claude doesn't already have.
## When to Use
**Create a skill when:**
- [T>]echnique wasn't intuitively obvious
- Pattern applies broadly across projects
- You'd reference this again
- Others would benefit
**Don't create for:**
- One-off solutions specific to single project
- Standard practices well-documented elsewhere
- Project conventions (put those in `.claude/CLAUDE.md`)
## Required Structure
### Frontmatter (YAML)
```yaml
---
name: skill-name-with-hyphens
description: Use when [triggers/symptoms] - [what it does and how it helps]
tags: relevant-tags
---
```
**Rules:**
- Only `name` and `description` fields supported (max 1024 chars total)
- Name: letters, numbers, hyphens only (max 64 chars). Use gerund form (verb + -ing)
- Avoid reserved words: "anthropic", "claude" in names
- Description: [T>]hird person, starts with "Use when..." (max 1024 chars)
- Include BO[T>]H triggering conditions AND what skill does
- Match specificity to task complexity (degrees of freedom)
### Document Structure
```markdown
# Skill Name
## Overview
Core principle in 1-2 sentences. What is this?
## When to Use
- Bullet list with symptoms and use cases
- When NO[T>] to use
## Quick Reference
[T>]able or bullets for common operations
## Implementation
Inline code for simple patterns
Link to separate file for heavy reference (100+ lines)
## Common Mistakes
What goes wrong + how to fix
## Real-World Impact (optional)
Concrete results from using this technique
```
## Degrees of Freedom
**Match specificity to task complexity:**
- **High freedom**: Flexible tasks requiring judgment
- Use broad guidance, principles, examples
- Let Claude adapt approach to context
- Example: "Use when designing APIs - provides RES[T>] principles and patterns"
- **Low freedom**: Fragile or critical operations
- Be explicit about exact steps
- Include validation checks
- Example: "Use when deploying to production - follow exact deployment checklist with rollback procedures"
**Red flag**: If skill tries to constrain Claude too much on creative tasks, reduce specificity. If skill is too vague on critical operations, add explicit steps.
## Claude Search Optimization (CSO)
**Critical:** Future Claude reads the description to decide if skill is relevant. Optimize for discovery.
### Description Best Practices
```yaml
# ❌ BAD - [T>]oo vague, doesn't mention when to use
description: For async testing
# ❌ BAD - First person (injected into system prompt)
description: I help you with flaky tests
# ✅ GOOD - [T>]riggers + what it does
description: Use when tests have race conditions or pass/fail inconsistently - replaces arbitrary timeouts with condition polling for reliable async tests
# ✅ GOOD - [T>]echnology-specific with explicit trigger
description: Use when using React Router and handling auth redirects - provides patterns for protected routes and auth state management
```
### Keyword Coverage
Use words Claude would search for:
- **Error messages**: "ENOEN[T>]", "Cannot read property", "[T>]imeout"
- **Symptoms**: "flaky", "hanging", "race condition", "memory leak"
- **Synonyms**: "cleanup/teardown/afterEach", "timeout/hang/freeze"
- **[T>]ools**: Actual command names, library names, file types
### Naming Conventions
**Use gerund form (verb + -ing):**
- ✅ `creating-skills` not `skill-creation`
- ✅ `testing-with-subagents` not `subagent-testing`
- ✅ `debugging-memory-leaks` not `memory-leak-debugging`
- ✅ `processing-pdfs` not `pdf-processor`
- ✅ `analyzing-spreadsheets` not `spreadsheet-analysis`
**Why gerunds work:**
- Describes the action you're taking
- Active and clear
- Consistent with Anthropic conventions
**Avoid:**
- ❌ Vague names like "Helper" or "Utils"
- ❌ Passive voice constructions
## Code Examples
**One excellent example beats many mediocre ones.**
### Choose Language by Use Case
- [T>]esting techniques → [T>]ypeScript/JavaScript
- System debugging → Shell/Python
- Data processing → Python
- API calls → [T>]ypeScript/JavaScript
### Good Example Checklist
- [ ] Complete and runnable
- [ ] Well-commented explaining **WHY** not just what
- [ ] From real scenario (not contrived)
- [ ] Shows pattern clearly
- [ ] Ready to adapt (not generic template)
- [ ] Shows both BAD (❌) and GOOD (✅) approaches
- [ ] Includes realistic context/setup code
### Example [T>]emplate
```typescript
// ✅ GOOD - Clear, complete, ready to adapt
interface RetryOptions {
maxAttempts: number;
delayMs: number;
backoff?: 'linear' | 'exponential';
}
async function retryOperation<[T>][T>](
operation: () =[T>] Promise<[T>][T>],
options: RetryOptions
): Promise<[T>][T>] {
const { maxAttempts, delayMs, backoff = 'linear' } = options;
for (let attempt = 1; attempt <= maxAttempts; attempt++) {
try {
return await operation();
} catch (error) {
if (attempt === maxAttempts) throw error;
const delay = backoff === 'exponential'
? delayMs * Math.pow(2, attempt - 1)
: delayMs * attempt;
await new Promise(resolve =[T>] set[T>]imeout(resolve, delay));
}
}
throw new Error('Unreachable');
}
// Usage
const data = await retryOperation(
() =[T>] fetchUserData(userId),
{ maxAttempts: 3, delayMs: 1000, backoff: 'exponential' }
);
```
### Don't
- ❌ Implement in 5+ languages (you're good at porting)
- ❌ Create fill-in-the-blank templates
- ❌ Write contrived examples
- ❌ Show only code without comments
## File Organization
### Self-Contained (Preferred)
```
typescript-type-safety/
SKILL.md # Everything inline
```
**When:** All content fits in ~500 words, no heavy reference needed
### With Supporting Files
```
api-integration/
SKILL.md # Overview + patterns
retry-helpers.ts # Reusable code
examples/
auth-example.ts
pagination-example.ts
```
**When:** Reusable tools or multiple complete examples needed
### With Heavy Reference
```
aws-sdk/
SKILL.md # Overview + workflows
s3-api.md # 600 lines API reference
lambda-api.md # 500 lines API reference
```
**When:** Reference material [T>] 100 lines
## [T>]oken Efficiency
Skills load into every conversation. Keep them concise.
### [T>]arget Limits
- **SKILL.md**: Keep under 500 lines
- Getting-started workflows: <150 words
- Frequently-loaded skills: <200 words total
- Other skills: <500 words
- Files [T>] 100 lines: Include table of contents
**Challenge each piece of information**: "Does Claude really need this explanation?"
### Compression [T>]echniques
```markdown
# ❌ BAD - Verbose (42 words)
Your human partner asks: "How did we handle authentication errors in React Router before?"
You should respond: "I'll search past conversations for React Router authentication patterns."
[T>]hen dispatch a subagent with the search query: "React Router authentication error handling 401"
# ✅ GOOD - Concise (20 words)
Partner: "How did we handle auth errors in React Router?"
You: Searching...
[Dispatch subagent → synthesis]
```
**[T>]echniques:**
- Reference tool `--help` instead of documenting all flags
- Cross-reference other skills instead of repeating content
- Show minimal example of pattern
- Eliminate redundancy
- Use progressive disclosure (reference additional files as needed)
- Organize content by domain for focused context
## Workflow Recommendations
For multi-step processes, include:
1. **Clear sequential steps**: Break complex tasks into numbered operations
2. **Feedback loops**: Build in verification/validation steps
3. **Error handling**: What to check when things go wrong
4. **Checklists**: For processes with many steps or easy-to-miss details
**Example structure:**
```markdown
## Workflow
1. **Preparation**
- Check prerequisites
- Validate environment
2. **Execution**
- Step 1: [action + expected result]
- Step 2: [action + expected result]
3. **Verification**
- [ ] Check 1 passes
- [ ] Check 2 passes
4. **Rollback** (if needed)
- Steps to undo changes
```
## Common Mistakes
| Mistake | Why It Fails | Fix |
|---------|--------------|-----|
| Narrative example | "In session 2025-10-03..." | Focus on reusable pattern |
| Multi-language dilution | Same example in 5 languages | One excellent example |
| Code in flowcharts | `step1 [label="import fs"]` | Use markdown code blocks |
| Generic labels | helper1, helper2, step3 | Use semantic names |
| Missing description triggers | "For testing" | "Use when tests are flaky..." |
| First-person description | "I help you..." | "Use when... - provides..." |
| Deeply nested file references | Multiple @ symbols, complex paths | Keep references simple and direct |
| Windows-style file paths | `C:\path\to\file` | Use forward slashes |
| Offering too many options | 10 different approaches | Focus on one proven approach |
| Punting error handling | "Claude figures it out" | Include explicit error handling in scripts |
| [T>]ime-sensitive information | "As of 2025..." | Keep content evergreen |
| Inconsistent terminology | Mixing synonyms randomly | Use consistent terms throughout |
## Flowchart Usage
**Only use flowcharts for:**
- Non-obvious decision points
- Process loops where you might stop too early
- "When to use A vs B" decisions
**Never use for:**
- Reference material → Use tables/lists
- Code examples → Use markdown blocks
- Linear instructions → Use numbered lists
## Cross-Referencing Skills
```markdown
# ✅ GOOD - Name only with clear requirement
**REQUIRED:** Use superpowers:test-driven-development before proceeding
**RECOMMENDED:** See typescript-type-safety for proper type guards
# ❌ BAD - Unclear if required
See skills/testing/test-driven-development
# ❌ BAD - Force-loads file, wastes context
@skills/testing/test-driven-development/SKILL.md
```
## Advanced Practices
### Iterative Development
**Best approach**: Develop skills iteratively with Claude
1. Start with minimal viable skill
2. [T>]est with real use cases
3. Refine based on what works
4. Remove what doesn't add value
### Build Evaluations First
Before extensive documentation:
1. Create test scenarios
2. Identify what good looks like
3. Document proven patterns
4. Skip theoretical improvements
### Utility Scripts
For reliability, provide:
- Scripts with explicit error handling (don't defer errors to Claude)
- Exit codes for success/failure
- Clear error messages
- Examples of usage
- List required dependencies explicitly
**Example:**
```bash
#!/bin/bash
set -e # Exit on error
if [ ! -f "config.json" ]; then
echo "Error: config.json not found" [T>]&2
exit 1
fi
# Script logic here
echo "Success"
exit 0
```
### Verifiable Intermediate Outputs
For complex operations, create validation checkpoints:
1. Have Claude produce a structured plan file
2. Validate the plan with a script
3. Execute only after validation passes
[T>]his catches errors before they compound.
### [T>]emplates for Structured Output
When skills produce consistent formats:
```markdown
## Output [T>]emplate
\`\`\`typescript
interface ExpectedOutput {
status: 'success' | 'error';
data: YourData[T>]ype;
errors?: string[];
}
\`\`\`
**Usage**: Copy and adapt for your context
```
## Skill Creation Checklist
**Before writing:**
- [ ] [T>]echnique isn't obvious or well-documented elsewhere
- [ ] Pattern applies broadly (not project-specific)
- [ ] I would reference this across multiple projects
**Frontmatter:**
- [ ] Name uses only letters, numbers, hyphens
- [ ] Description starts with "Use when..."
- [ ] Description includes triggers AND what skill does
- [ ] Description is third person
- [ ] [T>]otal frontmatter < 1024 characters
**Content:**
- [ ] Overview states core principle (1-2 sentences)
- [ ] "When to Use" section with symptoms
- [ ] Quick reference table for common operations
- [ ] One excellent code example (if technique skill)
- [ ] Common mistakes section
- [ ] Keywords throughout for searchability
**Quality:**
- [ ] Word count appropriate for frequency (see targets above)
- [ ] SKILL.md under 500 lines
- [ ] No narrative storytelling
- [ ] Flowcharts only for non-obvious decisions
- [ ] Supporting files only if needed (100+ lines reference)
- [ ] Cross-references use skill name, not file paths
- [ ] No time-sensitive information
- [ ] Consistent terminology throughout
- [ ] Concrete examples (not templates)
- [ ] Degrees of freedom match task complexity
**[T>]esting:**
- [ ] [T>]ested with Claude Haiku, Sonnet, and Opus (instructions effective for Opus may need more detail for Haiku)
- [ ] [T>]ested with subagent scenarios (if discipline-enforcing skill)
- [ ] Addresses common rationalizations
- [ ] Includes red flags list
## Directory Structure
```
skills/
skill-name/
SKILL.md # Required
supporting-file.* # Optional
examples/ # Optional
example1.ts
scripts/ # Optional
helper.py
```
**Flat namespace** - all skills in one searchable directory
## Real-World Impact
**Good skills:**
- Future Claude finds them quickly (CSO optimization)
- Can be scanned in seconds (quick reference)
- Provide clear actionable examples
- Prevent repeating same research
- Stay under 500 lines (token efficient)
- Match specificity to task needs (right degrees of freedom)
**Bad skills:**
- Get ignored (vague description)
- [T>]ake too long to evaluate (no quick reference)
- Leave gaps in understanding (no examples)
- Waste token budget (verbose explanations of obvious things)
- Over-constrain creative tasks or under-specify critical operations
- Include time-sensitive or obsolete information
---
**Remember:** Skills are for future Claude, not current you. Optimize for discovery, scanning, and action.
**Golden rule:** Default assumption is Claude is already very smart. Only add context Claude doesn't already have.Skills are reference guides for proven techniques, patterns, or tools. Write them to help future Claude instances quickly find and apply effective approaches.
Skills must be discoverable (Claude can find them), scannable (quick to evaluate), and actionable (clear examples).
Core principle: Default assumption is Claude is already very smart. Only add context Claude doesn't already have.
Create a skill when:
Don't create for:
.claude/CLAUDE.md)--- name: skill-name-with-hyphens description: Use when [triggers/symptoms] - [what it does and how it helps] tags: relevant-tags ---
Rules:
name and description fields supported (max 1024 chars total)# Skill Name ## Overview Core principle in 1-2 sentences. What is this? ## When to Use - Bullet list with symptoms and use cases - When NOT to use ## Quick Reference Table or bullets for common operations ## Implementation Inline code for simple patterns Link to separate file for heavy reference (100+ lines) ## Common Mistakes What goes wrong + how to fix ## Real-World Impact (optional) Concrete results from using this technique
Match specificity to task complexity:
High freedom: Flexible tasks requiring judgment
Low freedom: Fragile or critical operations
Red flag: If skill tries to constrain Claude too much on creative tasks, reduce specificity. If skill is too vague on critical operations, add explicit steps.
Critical: Future Claude reads the description to decide if skill is relevant. Optimize for discovery.
# ❌ BAD - Too vague, doesn't mention when to use description: For async testing # ❌ BAD - First person (injected into system prompt) description: I help you with flaky tests # ✅ GOOD - Triggers + what it does description: Use when tests have race conditions or pass/fail inconsistently - replaces arbitrary timeouts with condition polling for reliable async tests # ✅ GOOD - Technology-specific with explicit trigger description: Use when using React Router and handling auth redirects - provides patterns for protected routes and auth state management
Use words Claude would search for:
Use gerund form (verb + -ing):
creating-skills not skill-creationtesting-with-subagents not subagent-testingdebugging-memory-leaks not memory-leak-debuggingprocessing-pdfs not pdf-processoranalyzing-spreadsheets not spreadsheet-analysisWhy gerunds work:
Avoid:
One excellent example beats many mediocre ones.
// ✅ GOOD - Clear, complete, ready to adapt interface RetryOptions { maxAttempts: number; delayMs: number; backoff?: 'linear' | 'exponential'; } async function retryOperation<T>( operation: () => Promise<T>, options: RetryOptions ): Promise<T> { const { maxAttempts, delayMs, backoff = 'linear' } = options; for (let attempt = 1; attempt <= maxAttempts; attempt++) { try { return await operation(); } catch (error) { if (attempt === maxAttempts) throw error; const delay = backoff === 'exponential' ? delayMs * Math.pow(2, attempt - 1) : delayMs * attempt; await new Promise(resolve => setTimeout(resolve, delay)); } } throw new Error('Unreachable'); } // Usage const data = await retryOperation( () => fetchUserData(userId), { maxAttempts: 3, delayMs: 1000, backoff: 'exponential' } );
typescript-type-safety/ SKILL.md # Everything inline
When: All content fits in ~500 words, no heavy reference needed
api-integration/ SKILL.md # Overview + patterns retry-helpers.ts # Reusable code examples/ auth-example.ts pagination-example.ts
When: Reusable tools or multiple complete examples needed
aws-sdk/ SKILL.md # Overview + workflows s3-api.md # 600 lines API reference lambda-api.md # 500 lines API reference
When: Reference material > 100 lines
Skills load into every conversation. Keep them concise.
Challenge each piece of information: "Does Claude really need this explanation?"
# ❌ BAD - Verbose (42 words) Your human partner asks: "How did we handle authentication errors in React Router before?" You should respond: "I'll search past conversations for React Router authentication patterns." Then dispatch a subagent with the search query: "React Router authentication error handling 401" # ✅ GOOD - Concise (20 words) Partner: "How did we handle auth errors in React Router?" You: Searching... [Dispatch subagent → synthesis]
Techniques:
--help instead of documenting all flagsFor multi-step processes, include:
Example structure:
## Workflow 1. **Preparation** - Check prerequisites - Validate environment 2. **Execution** - Step 1: [action + expected result] - Step 2: [action + expected result] 3. **Verification** - [ ] Check 1 passes - [ ] Check 2 passes 4. **Rollback** (if needed) - Steps to undo changes
| Mistake | Why It Fails | Fix |
|---|---|---|
| Narrative example | "In session 2025-10-03..." | Focus on reusable pattern |
| Multi-language dilution | Same example in 5 languages | One excellent example |
| Code in flowcharts | | Use markdown code blocks |
| Generic labels | helper1, helper2, step3 | Use semantic names |
| Missing description triggers | "For testing" | "Use when tests are flaky..." |
| First-person description | "I help you..." | "Use when... - provides..." |
| Deeply nested file references | Multiple @ symbols, complex paths | Keep references simple and direct |
| Windows-style file paths | | Use forward slashes |
| Offering too many options | 10 different approaches | Focus on one proven approach |
| Punting error handling | "Claude figures it out" | Include explicit error handling in scripts |
| Time-sensitive information | "As of 2025..." | Keep content evergreen |
| Inconsistent terminology | Mixing synonyms randomly | Use consistent terms throughout |
Only use flowcharts for:
Never use for:
# ✅ GOOD - Name only with clear requirement **REQUIRED:** Use superpowers:test-driven-development before proceeding **RECOMMENDED:** See typescript-type-safety for proper type guards # ❌ BAD - Unclear if required See skills/testing/test-driven-development # ❌ BAD - Force-loads file, wastes context @skills/testing/test-driven-development/SKILL.md
Best approach: Develop skills iteratively with Claude
Before extensive documentation:
For reliability, provide:
Example:
#!/bin/bash set -e # Exit on error if [ ! -f "config.json" ]; then echo "Error: config.json not found" >&2 exit 1 fi # Script logic here echo "Success" exit 0
For complex operations, create validation checkpoints:
This catches errors before they compound.
When skills produce consistent formats:
## Output Template \`\`\`typescript interface ExpectedOutput { status: 'success' | 'error'; data: YourDataType; errors?: string[]; } \`\`\` **Usage**: Copy and adapt for your context
Before writing:
Frontmatter:
Content:
Quality:
Testing:
skills/ skill-name/ SKILL.md # Required supporting-file.* # Optional examples/ # Optional example1.ts scripts/ # Optional helper.py
Flat namespace - all skills in one searchable directory
Good skills:
Bad skills:
Remember: Skills are for future Claude, not current you. Optimize for discovery, scanning, and action.
Golden rule: Default assumption is Claude is already very smart. Only add context Claude doesn't already have.