yaml-master
About
The yaml-master skill automatically activates when working with YAML files, configurations, and CI/CD pipelines. It provides intelligent validation, schema inference, linting, and format conversion between YAML/JSON/TOML/XML. This skill helps developers manage YAML-based workflows with deep understanding of specifications and common anti-patterns.
Documentation
YAML Master Agent
⚡ This skill activates AUTOMATICALLY when you work with YAML files!
Automatic Trigger Conditions
This skill proactively activates when Claude detects:
- File Operations: Reading, writing, or editing
.yamlor.ymlfiles - Configuration Management: Working with Ansible, Kubernetes, Docker Compose, GitHub Actions
- CI/CD Workflows: GitLab CI, CircleCI, Travis CI, Azure Pipelines configurations
- Schema Validation: Validating configuration files against schemas
- Format Conversion: Converting between YAML, JSON, TOML, XML formats
- User Requests: Explicit mentions of "yaml", "validate yaml", "fix yaml syntax", "convert yaml"
No commands needed! Just work with YAML files naturally, and this skill activates automatically.
Core Capabilities
1. Intelligent YAML Validation
What It Does:
- Detects syntax errors (indentation, duplicate keys, invalid scalars)
- Validates against YAML 1.2 specification
- Identifies common anti-patterns (tabs vs spaces, anchors/aliases issues)
- Provides detailed error messages with line numbers and fix suggestions
Example:
# ❌ INVALID YAML
services:
web:
image: nginx
ports: # Mixed tabs and spaces - ERROR!
- "80:80"
Agent Action: Automatically detects mixed indentation, suggests fix:
# ✅ FIXED YAML
services:
web:
image: nginx
ports: # Consistent 2-space indentation
- "80:80"
2. Schema Inference & Generation
What It Does:
- Analyzes YAML structure and infers JSON Schema
- Generates OpenAPI/Swagger schemas from YAML
- Creates type definitions for TypeScript/Python from YAML configs
- Validates instances against inferred or provided schemas
Example:
# Input YAML
user:
name: Jeremy
age: 35
roles:
- admin
- developer
Agent Action: Infers schema:
{
"$schema": "http://json-schema.org/draft-07/schema#",
"type": "object",
"properties": {
"user": {
"type": "object",
"properties": {
"name": { "type": "string" },
"age": { "type": "integer" },
"roles": {
"type": "array",
"items": { "type": "string" }
}
},
"required": ["name", "age", "roles"]
}
}
}
3. Format Conversion (YAML ↔ JSON ↔ TOML ↔ XML)
What It Does:
- Bidirectional conversion between YAML, JSON, TOML, XML
- Preserves comments when possible (YAML ↔ TOML)
- Handles complex nested structures, arrays, anchors/aliases
- Validates converted output maintains semantic equivalence
Example - YAML to JSON:
# config.yaml
database:
host: localhost
port: 5432
credentials: &creds
user: admin
pass: secret
Agent Action: Converts to JSON:
{
"database": {
"host": "localhost",
"port": 5432,
"credentials": {
"user": "admin",
"pass": "secret"
}
}
}
4. Kubernetes Manifest Expertise
What It Does:
- Validates K8s manifests against API versions
- Suggests best practices (resource limits, labels, health checks)
- Detects security issues (privileged containers, root users)
- Generates complete manifests from minimal specs
Example:
# Minimal input
apiVersion: apps/v1
kind: Deployment
metadata:
name: nginx
Agent Action: Expands with best practices:
apiVersion: apps/v1
kind: Deployment
metadata:
name: nginx
labels:
app: nginx
version: "1.0"
spec:
replicas: 3
selector:
matchLabels:
app: nginx
template:
metadata:
labels:
app: nginx
version: "1.0"
spec:
containers:
- name: nginx
image: nginx:1.25-alpine
ports:
- containerPort: 80
name: http
resources:
requests:
memory: "64Mi"
cpu: "250m"
limits:
memory: "128Mi"
cpu: "500m"
livenessProbe:
httpGet:
path: /
port: 80
initialDelaySeconds: 30
periodSeconds: 10
readinessProbe:
httpGet:
path: /
port: 80
initialDelaySeconds: 5
periodSeconds: 5
securityContext:
runAsNonRoot: true
runAsUser: 1000
allowPrivilegeEscalation: false
5. Docker Compose Optimization
What It Does:
- Validates Docker Compose syntax (v2.x, v3.x)
- Suggests networking best practices
- Optimizes volume mounts and environment variables
- Detects security misconfigurations
Example:
# ❌ SUBOPTIMAL
version: '3'
services:
db:
image: postgres
environment:
POSTGRES_PASSWORD: admin123 # Hardcoded secret!
Agent Action: Suggests secure alternative:
# ✅ OPTIMIZED
version: '3.8'
services:
db:
image: postgres:15-alpine
environment:
POSTGRES_PASSWORD_FILE: /run/secrets/db_password
secrets:
- db_password
volumes:
- db_data:/var/lib/postgresql/data
healthcheck:
test: ["CMD-SHELL", "pg_isready -U postgres"]
interval: 10s
timeout: 5s
retries: 5
restart: unless-stopped
secrets:
db_password:
file: ./secrets/db_password.txt
volumes:
db_data:
driver: local
6. CI/CD Pipeline Intelligence
What It Does:
- Validates GitHub Actions, GitLab CI, CircleCI workflows
- Suggests caching strategies for faster builds
- Detects matrix build inefficiencies
- Optimizes job dependencies and parallelization
Example - GitHub Actions:
# ❌ INEFFICIENT
name: CI
on: [push]
jobs:
test:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
- run: npm install # No caching!
- run: npm test
Agent Action: Optimizes with caching:
# ✅ OPTIMIZED
name: CI
on:
push:
branches: [main]
pull_request:
branches: [main]
jobs:
test:
runs-on: ubuntu-latest
strategy:
matrix:
node-version: [18, 20, 22]
steps:
- uses: actions/checkout@v4
- name: Setup Node.js ${{ matrix.node-version }}
uses: actions/setup-node@v4
with:
node-version: ${{ matrix.node-version }}
cache: 'npm'
- name: Install dependencies
run: npm ci # Faster than npm install
- name: Run tests
run: npm test
- name: Upload coverage
if: matrix.node-version == 20
uses: codecov/codecov-action@v4
7. YAML Linting & Style Enforcement
What It Does:
- Enforces consistent indentation (2 spaces, 4 spaces, tabs)
- Validates key ordering (alphabetical, custom)
- Detects trailing whitespace, missing newlines
- Suggests canonical YAML representations
Linting Rules:
# Rule 1: Consistent 2-space indentation
# Rule 2: No duplicate keys
# Rule 3: Quoted strings for special characters
# Rule 4: Explicit document markers (---, ...)
# Rule 5: No tabs, only spaces
# Rule 6: Max line length 120 characters
# Rule 7: Comments aligned at column 40
8. Anchors & Aliases Mastery
What It Does:
- Manages complex YAML anchors and aliases
- Suggests reusable configurations with merge keys
- Validates anchor references
- Refactors duplicate blocks into anchors
Example:
# ❌ REPETITIVE
services:
web:
image: nginx
restart: always
logging:
driver: json-file
options:
max-size: "10m"
api:
image: node:20
restart: always
logging:
driver: json-file
options:
max-size: "10m"
Agent Action: Refactors with anchors:
# ✅ DRY (Don't Repeat Yourself)
x-common-config: &common-config
restart: always
logging:
driver: json-file
options:
max-size: "10m"
services:
web:
<<: *common-config
image: nginx
api:
<<: *common-config
image: node:20
Advanced Features
Multi-Document YAML Handling
Works with YAML files containing multiple documents:
---
apiVersion: v1
kind: Service
metadata:
name: nginx-service
---
apiVersion: apps/v1
kind: Deployment
metadata:
name: nginx-deployment
---
Agent Action: Validates each document independently, ensures consistency across documents.
Environment-Specific Configurations
Manages environment overrides and templates:
# base.yaml
database: &db
host: localhost
port: 5432
# production.yaml (inherits from base)
database:
<<: *db
host: prod-db.example.com
ssl: true
Complex Data Type Handling
Supports advanced YAML data types:
# Timestamps
created_at: 2025-10-24T23:00:00Z
# Binary data (base64)
ssl_cert: !!binary |
R0lGODlhDAAMAIQAAP//9/X
17unp5WZmZgAAAOfn515eXv
# Null values
optional_field: null
another_null: ~
# Custom tags
color: !rgb [255, 128, 0]
Common Use Cases
1. Fixing Broken YAML Files
User: "My Kubernetes manifest won't apply, fix it"
Agent Action:
- Reads the YAML file
- Identifies syntax errors (indentation, missing fields)
- Validates against Kubernetes API schema
- Provides corrected version with explanations
2. Converting JSON API Response to YAML Config
User: "Convert this JSON to YAML for my config file"
Agent Action:
- Parses JSON input
- Converts to idiomatic YAML (multi-line strings, minimal quotes)
- Adds helpful comments
- Validates output
3. Generating Docker Compose from Requirements
User: "Create docker-compose.yaml for nginx + postgres + redis"
Agent Action:
- Generates complete docker-compose.yaml
- Adds healthchecks, volumes, networks
- Includes environment variable templates
- Suggests .env file structure
4. Optimizing CI/CD Pipeline
User: "My GitHub Actions workflow is slow, optimize it"
Agent Action:
- Analyzes workflow YAML
- Identifies bottlenecks (no caching, sequential jobs)
- Suggests parallelization, caching strategies
- Provides optimized workflow
Integration with Other Tools
Works Seamlessly With:
- yamllint: Validates against yamllint rules
- Kustomize: Handles Kustomization files
- Helm: Works with Helm chart values.yaml
- Ansible: Validates playbooks and roles
- OpenAPI/Swagger: Converts to/from OpenAPI specs
- JSON Schema: Validates against schemas
- Terraform: Converts YAML to HCL (experimental)
Error Handling & Troubleshooting
Common YAML Errors This Skill Fixes:
| Error | Cause | Fix |
|---|---|---|
mapping values are not allowed here | Incorrect indentation | Align keys properly |
found duplicate key | Same key defined twice | Remove or rename duplicate |
expected <block end>, but found | Tab instead of spaces | Replace tabs with spaces |
found undefined tag handle | Custom tag without definition | Define tag or remove |
could not find expected ':' | Missing colon after key | Add colon |
Best Practices Enforced
- Indentation: Consistent 2-space indentation (configurable)
- Quotes: Minimal quoting (only when necessary)
- Comments: Descriptive comments for complex sections
- Security: No hardcoded secrets, use secrets managers
- Validation: Always validate against schemas
- Documentation: Inline documentation for anchors/aliases
- Versioning: Explicit version tags (Docker Compose, K8s API)
Performance Considerations
- Large Files: Streams YAML instead of loading entire file into memory
- Validation: Incremental validation for real-time feedback
- Conversion: Optimized parsers for fast format conversion
- Caching: Caches schema validation results
Compliance & Standards
✅ YAML 1.2 Specification: Fully compliant ✅ YAML 1.1: Backward compatible where possible ✅ JSON Schema Draft 7: Supports schema validation ✅ OpenAPI 3.1: Compatible with OpenAPI specs ✅ Kubernetes API: Validates against all stable APIs ✅ Docker Compose v3.8: Full support for latest spec
Examples by Complexity
Beginner: Simple Config File
# app-config.yaml
app:
name: MyApp
version: 1.0.0
environment: production
server:
host: 0.0.0.0
port: 8080
database:
url: postgres://localhost:5432/mydb
Intermediate: Multi-Service Docker Compose
version: '3.8'
services:
web:
build: ./web
ports:
- "3000:3000"
depends_on:
- api
- redis
api:
build: ./api
environment:
DATABASE_URL: postgres://db:5432/app
depends_on:
db:
condition: service_healthy
db:
image: postgres:15-alpine
volumes:
- db_data:/var/lib/postgresql/data
healthcheck:
test: ["CMD", "pg_isready"]
interval: 5s
redis:
image: redis:7-alpine
command: redis-server --appendonly yes
volumes:
db_data:
Advanced: Kubernetes Deployment with Secrets
apiVersion: v1
kind: Secret
metadata:
name: app-secrets
type: Opaque
stringData:
DATABASE_URL: postgres://user:pass@db:5432/app
---
apiVersion: apps/v1
kind: Deployment
metadata:
name: web-app
labels:
app: web
spec:
replicas: 3
selector:
matchLabels:
app: web
template:
metadata:
labels:
app: web
spec:
containers:
- name: web
image: myapp:latest
envFrom:
- secretRef:
name: app-secrets
resources:
requests:
memory: "128Mi"
cpu: "100m"
limits:
memory: "256Mi"
cpu: "500m"
livenessProbe:
httpGet:
path: /health
port: 8080
initialDelaySeconds: 30
readinessProbe:
httpGet:
path: /ready
port: 8080
initialDelaySeconds: 5
---
apiVersion: v1
kind: Service
metadata:
name: web-service
spec:
selector:
app: web
ports:
- port: 80
targetPort: 8080
type: LoadBalancer
Troubleshooting Guide
Issue: "YAML won't parse"
Diagnosis:
- Check indentation (tabs vs spaces)
- Verify key-value separator (
:with space after) - Look for duplicate keys
Issue: "Kubernetes apply fails"
Diagnosis:
- Validate API version matches cluster version
- Check required fields are present
- Verify resource names are DNS-compliant
Issue: "Docker Compose won't start"
Diagnosis:
- Check version compatibility
- Validate service dependencies
- Verify volume mount paths exist
Version History
- v1.0.0 (2025-10-24): Initial release with comprehensive YAML capabilities
License
MIT License - See LICENSE file
Support
- Issues: Report issues with YAML handling
- Documentation: This SKILL.md + plugin README
- Community: Share YAML tips and tricks
Credits
Author: Jeremy Longshore Plugin: 002-jeremy-yaml-master-agent Spec Compliance: Anthropic Agent Skills Spec v1.0
🤖 Generated with Claude Code
Co-Authored-By: Claude [email protected]
Quick Install
/plugin add https://github.com/jeremylongshore/claude-code-plugins-plus/tree/main/yaml-masterCopy and paste this command in Claude Code to install this skill
GitHub 仓库
Related Skills
sglang
MetaSGLang is a high-performance LLM serving framework that specializes in fast, structured generation for JSON, regex, and agentic workflows using its RadixAttention prefix caching. It delivers significantly faster inference, especially for tasks with repeated prefixes, making it ideal for complex, structured outputs and multi-turn conversations. Choose SGLang over alternatives like vLLM when you need constrained decoding or are building applications with extensive prefix sharing.
business-rule-documentation
MetaThis skill provides standardized templates for systematically documenting business logic and domain knowledge following Domain-Driven Design principles. It helps developers capture business rules, process flows, decision trees, and terminology glossaries to maintain consistency between requirements and implementation. Use it when documenting domain models, creating business rule repositories, or bridging communication between business and technical teams.
Algorithmic Art Generation
MetaThis skill helps developers create algorithmic art using p5.js, focusing on generative art, computational aesthetics, and interactive visualizations. It automatically activates for topics like "generative art" or "p5.js visualization" and guides you through creating unique algorithms with features like seeded randomness, flow fields, and particle systems. Use it when you need to build reproducible, code-driven artistic patterns.
generating-unit-tests
MetaThis skill automatically generates comprehensive unit tests from source code when developers request test creation. It supports multiple testing frameworks like Jest, pytest, and JUnit, intelligently detecting the appropriate one or using a specified framework. Use it when asking to "generate tests," "create unit tests," or using the "gut" shortcut with file paths.
