Expert Go developer specializing in idiomatic patterns, concurrency, error handling, and clean package design. This skill should be used PROACTIVELY when working on any Go code - implementing features, designing APIs, debugging issues, or reviewing code quality. Use unless a more specific subagent role applies.
Provides expert Go development guidance for idiomatic patterns, concurrency, error handling, and clean package design.
npx claudepluginhub rbergman/dark-matter-marketplaceThis skill inherits all available tools. When active, it can use any tool Claude has access to.
references/gitignorereferences/golangci-v2.ymlSenior-level Go expertise for production projects. Focuses on idiomatic patterns, simplicity, and Go's design philosophy.
go.mod and .golangci.yml for project conventionsRequired:
_ = err)panic() for recoverable errorsFoundational Principles:
Pin Go version with mise: mise use go@1.25 (creates .mise.toml — commit it). Team members run mise install. See mise skill for setup.
# Initialize
go mod init github.com/org/project
go mod edit -go=1.25
# Add toolchain dependencies (tracked in go.mod)
go get -tool github.com/golangci/golangci-lint/v2/cmd/golangci-lint@latest
go get -tool golang.org/x/tools/cmd/goimports@latest
go get -tool golang.org/x/vuln/cmd/govulncheck@latest
# Copy configs from this skill's references/ directory:
# references/gitignore → .gitignore
# references/golangci-v2.yml → .golangci.yml
# For build system, invoke just-pro skill
# Verify
just check # Or: go tool golangci-lint run
git clone <repo> && cd <repo>
just setup # Runs mise trust/install + go mod download
just check # Verify everything works
Or manually:
mise trust && mise install # Get pinned Go version
go mod download # Get dependencies
Why go get -tool? Tools versioned in go.mod = reproducible builds, same versions for all devs, no separate installation needed.
Invoke the just-pro skill for build system setup. It covers:
references/package-go.just)Why just? Consistent toolchain frontend between agents and humans. Instead of remembering go tool golangci-lint run --fix, use just fix.
Auto-Fix First - Always try auto-fix before manual fixes:
just fix # Or: go tool golangci-lint run --fix && go tool goimports -w .
Verification:
just check # Or: go tool golangci-lint run && go test -race ./... && go tool govulncheck ./...
| Pattern | Use |
|---|---|
return err | Propagate unchanged (internal errors) |
fmt.Errorf("context: %w", err) | Wrap with context (cross-boundary) |
errors.Is(err, target) | Check specific error |
errors.As(err, &target) | Extract typed error |
Sentinel Errors - Define package-level errors for expected conditions:
var ErrNotFound = errors.New("not found")
var ErrInvalidInput = errors.New("invalid input")
// Constrained generics - prefer specific constraints
func Map[T, U any](items []T, fn func(T) U) []U {
result := make([]U, len(items))
for i, item := range items {
result[i] = fn(item)
}
return result
}
// Type constraints - use interfaces
type Ordered interface {
~int | ~int64 | ~float64 | ~string
}
func Max[T Ordered](a, b T) T {
if a > b {
return a
}
return b
}
// Avoid: overly generic signatures that lose type safety
// Prefer: concrete types until generics are clearly needed
import "log/slog"
// Package-level logger with context
func NewService(logger *slog.Logger) *Service {
return &Service{
log: logger.With("component", "service"),
}
}
// Structured logging with levels
s.log.Info("request processed",
"method", r.Method,
"path", r.URL.Path,
"duration", time.Since(start),
)
s.log.Error("operation failed",
"err", err,
"user_id", userID,
)
import "iter"
// Return iterators for large collections
func (db *DB) Users() iter.Seq[User] {
return func(yield func(User) bool) {
rows, _ := db.Query("SELECT * FROM users")
defer rows.Close()
for rows.Next() {
var u User
rows.Scan(&u.ID, &u.Name)
if !yield(u) {
return
}
}
}
}
// Consume with range
for user := range db.Users() {
process(user)
}
// Seq2 for key-value pairs
func (m *Map[K, V]) All() iter.Seq2[K, V]
| Pattern | Use |
|---|---|
sync.WaitGroup | Wait for goroutines |
sync.Mutex / RWMutex | Protect shared state |
context.Context | Cancellation/timeouts |
errgroup.Group | Concurrent with error collection |
// Context-aware work
func DoWork(ctx context.Context, arg string) error {
select {
case <-ctx.Done():
return ctx.Err()
default:
}
// ... work
}
// Table-driven tests with subtests
func TestParse(t *testing.T) {
tests := []struct {
name string
input string
want Result
wantErr bool
}{
{name: "valid", input: "foo", want: Result{Value: "foo"}},
{name: "empty", input: "", wantErr: true},
{name: "special", input: "a@b", want: Result{Value: "a@b"}},
}
for _, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
got, err := Parse(tt.input)
if (err != nil) != tt.wantErr {
t.Errorf("Parse() error = %v, wantErr %v", err, tt.wantErr)
return
}
if got != tt.want {
t.Errorf("Parse() = %v, want %v", got, tt.want)
}
})
}
}
// Testify for complex assertions
import "github.com/stretchr/testify/assert"
import "github.com/stretchr/testify/require"
func TestService(t *testing.T) {
require.NoError(t, err) // Fail fast
assert.Equal(t, expected, actual) // Continue on failure
assert.Len(t, items, 3)
assert.Contains(t, items, target)
}
// Use pointer receivers when:
// - Method modifies the receiver
// - Receiver is large (avoid copy)
// - Consistency: if any method needs pointer, use pointer for all
func (s *Service) UpdateConfig(cfg Config) { s.cfg = cfg }
// Use value receivers when:
// - Receiver is small (int, string, small struct)
// - Method is read-only and receiver is immutable
func (p Point) Distance(other Point) float64 { ... }
project/
├── cmd/appname/main.go # Entry point
├── internal/ # Private packages
│ ├── api/ # Handlers
│ └── domain/ # Business logic
├── go.mod
├── .golangci.yml
└── justfile
Rules: One package = one purpose. Use internal/ for implementation. Avoid util, common, helpers packages.
Doctor scripts should validate that toolchain versions meet requirements, not just check existence:
# Validate toolchain versions meet requirements
doctor:
#!/usr/bin/env bash
set -euo pipefail
echo "Checking toolchain..."
# Validate Go version (requires 1.25+)
GO_VERSION=$(go version | grep -oE 'go[0-9]+\.[0-9]+' | sed 's/go//')
if [[ "$(printf '%s\n' "1.25" "$GO_VERSION" | sort -V | head -1)" != "1.25" ]]; then
echo "FAIL: Go $GO_VERSION < 1.25 required"
exit 1
fi
echo "✓ Go $GO_VERSION"
# Add more version checks as needed
echo "All checks passed"
For services that bind ports, check availability before starting:
# Check if required ports are available before starting
check-ports:
#!/usr/bin/env bash
for port in 8080 5432; do
if lsof -i :$port >/dev/null 2>&1; then
echo "FAIL: Port $port already in use"
exit 1
fi
done
echo "All ports available"
Avoid redundant setup work with first-run detection:
# Setup with first-run detection
setup:
#!/usr/bin/env bash
if [[ -f .setup-complete ]]; then
echo "Already set up. Run 'just setup-force' to reinstall."
exit 0
fi
mise trust && mise install
go mod download
touch .setup-complete
echo "Setup complete"
setup-force:
rm -f .setup-complete
@just setup
panic() for recoverable errors (use return err)_init() with side effectsinterface{} or any when specific types workBefore writing code:
go.mod for module path and Go version.golangci.yml for project-specific lint rulesWhen writing code:
_ = errBefore committing:
just check (standard for projects using just)go tool golangci-lint run --fix && go tool golangci-lint rungo test -race ./... to catch race conditionsgo tool govulncheck ./... to catch known vulnerabilitiesCreating algorithmic art using p5.js with seeded randomness and interactive parameter exploration. Use this when users request creating art using code, generative art, algorithmic art, flow fields, or particle systems. Create original algorithmic art rather than copying existing artists' work to avoid copyright violations.
Applies Anthropic's official brand colors and typography to any sort of artifact that may benefit from having Anthropic's look-and-feel. Use it when brand colors or style guidelines, visual formatting, or company design standards apply.
Create beautiful visual art in .png and .pdf documents using design philosophy. You should use this skill when the user asks to create a poster, piece of art, design, or other static piece. Create original visual designs, never copying existing artists' work to avoid copyright violations.