スキル一覧に戻る
11me

go-development

by 11me

Universal AI agent skills for Go, Kubernetes, GitOps

3🍴 0📅 2026年1月17日
GitHubで見るManusで実行

SKILL.md


name: go-development description: This skill should be used when the user is working with Go projects (go.mod, *.go files), asking about "Go patterns", "Go architecture", "services", "repositories", or mentions "Go development", "Go project", "Go handlers", "Go testing".

Go Development Guide

Production-ready patterns extracted from real projects.

Table of Contents

Core Principle: LESS CODE = FEWER BUGS

This applies to ALL code — not just project scaffolding.

What this means:

  • ❌ Don't write error types that won't be used

  • ❌ Don't create custom error type for every error case

  • ❌ Don't add methods "for completeness"

  • ❌ Don't create helper functions that have one caller

  • ❌ Don't add validation for impossible scenarios

  • ❌ Don't implement interfaces "just in case"

  • ❌ Don't add logging/metrics that nobody reads

  • ❌ Don't create common, helpers, utils, shared, misc packages

  • ✅ Write only what the feature requires

  • ✅ Use few sentinel categories (ErrNotFound, ErrConflict) + wrap with context

  • ✅ Typed errors only when caller needs to extract data (RetryAfter, Field)

  • ✅ Add code when there's actual need

  • ✅ Delete unused code immediately

  • ✅ Prefer inline code over tiny functions

  • ✅ Trust the type system, don't over-validate

  • ✅ Name packages by what they provide, not what's in them

  • ✅ Keep helper functions close to usage (unexported)

  • ✅ If truly shared, create small purpose-named packages (internal/optional/)

  • ❌ Don't modify .golangci.yml — linting config is protected

Examples:

BadGood
Define 10 error types, use 2Define errors as you need them
Create GetByID, GetByEmail, GetByName upfrontCreate only the method you're using now
Add Update, Delete when only Create is neededAdd Update when the feature requires it
Write helper formatUserName() called onceInline the logic
Validate internal struct fieldsTrust internal code, validate at boundaries

Architecture Decisions

AspectChoice
Configcaarlos0/env (env only)
Structurecmd/, internal/, pkg/
Databasepgx/v5 + squirrel
TransactionsContext injection + retry
DIService Registry
ErrorsSentinel categories + wrap (errs package)
Loggingslog (small) / zap (large) — ask user
TracingOpenTelemetry (optional) — ask user
Migrationsgoose/v3

Linter Enforcement

All rules are enforced via golangci-lint (revive rules) in .golangci.yml:

RuleLinterDescription
userID not userIdvar-namingGo idiom: acronyms in caps
any not interface{}use-anyGo 1.18+ alias
No common/helpers/utils packagesvar-namingextraBadPackageNames
Error wrappingerr113, errorlintSentinel errors + wrap
Test helpersthelperMust use t.Helper()
Test parallelismtparallelSuggests t.Parallel()
Test env varstenvDetects os.Setenv in tests

Required Validation

After generating/modifying Go code:

golangci-lint run ./...

Do not modify .golangci.yml — linting config is protected by golangci-guard hook.

Enforced Project Structure

The skill MUST enforce this structure for all Go projects:

project/
├── cmd/
│   └── app/
│       └── main.go           # Entry point only
├── internal/
│   ├── config/
│   │   └── config.go         # Config with envPrefix
│   ├── errs/
│   │   └── errors.go         # Sentinel errors + helpers
│   ├── optional/
│   │   └── optional.go       # Pointer conversion helpers
│   ├── models/
│   │   └── {entity}.go       # Domain models + mappers
│   ├── services/
│   │   ├── registry.go       # Service registry
│   │   └── {entity}.go       # Business logic
│   ├── storage/
│   │   ├── storage.go        # Storage interface
│   │   ├── {entity}.go       # Repository impl
│   │   ├── main_test.go      # TestMain with testcontainers
│   │   └── testmigration/    # Test data fixtures (SQL)
│   │       ├── 100001_users.up.sql
│   │       └── 100001_users.down.sql
│   └── http/
│       └── v1/
│           ├── router.go     # Router + path constants
│           ├── {entity}_handler.go
│           ├── dto.go        # Request/Response types
│           └── json.go       # encode/decode
├── pkg/
│   ├── logger/
│   └── postgres/
├── migrations/
├── go.mod
├── .env.example
├── Makefile
├── Dockerfile
└── docker-compose.yml

Structure Rules

RuleCorrectWrong
Handler filesuser_handler.go, order_handler.gohandlers.go (all in one)
MappersIn models/{entity}.go with modelIn separate mappers/ package
DTOsIn http/v1/dto.goMixed with domain models
Path constantsIn router.goHardcoded strings in handlers
IDsstring typeuuid.UUID type
ID generationuuid.NewString() in serviceIn handler or repository
Config nestingUse envPrefix tagFull env var names in nested structs
Doc comments// User represents...// This struct...
Section organizationSeparate files// ----- Section -----

References

Core Patterns

PatternFile
Entry Pointentrypoint-pattern.md
Configurationconfig-pattern.md
Package Structurepackage-structure-decision.md
Database & Transactionsdatabase-pattern.md
Advisory Locksadvisory-lock-pattern.md
Service Layerservice-pattern.md
Repositoryrepository-pattern.md
Filter Patternfilter-pattern.md
Mappermapper-pattern.md
JSONB Typesjsonb-pattern.md
Optional Helperoptional-pattern.md
Error Handlingerror-handling.md
Logginglogging-pattern.md
Testingtesting-pattern.md
Test Fixturestest-fixtures-pattern.md
Moneymoney-pattern.md
Build & Deploybuild-deploy.md

HTTP Layer

PatternFile
HTTP Handlershttp-handler-pattern.md
Middlewaremiddleware-pattern.md
Validationvalidation-pattern.md
Authenticationauth-pattern.md

Production Patterns

PatternFile
Paginationpagination-pattern.md
Health Checkshealth-check-pattern.md
Background Workersworker-pattern.md
Tracingtracing-pattern.md

Best Practices

TopicFile
Naming Conventionsnaming-conventions.md
Package Namingpackage-naming.md
Control Structurescontrol-structures.md
Interface Designinterface-design.md
Allocation (new/make)allocation-patterns.md
Deferdefer-patterns.md
Embeddingembedding-patterns.md
Blank Identifierblank-identifier.md
Concurrencyconcurrency-pattern.md
Channel Axiomschannel-axioms.md
Lintinglinting-pattern.md
Common Pitfallscommon-pitfalls.md
Performanceperformance-tips.md
Code Qualitycode-quality.md

Examples

Core

ComponentFile
Mainmain.go
Backendbackend.go
Configconfig.go
Filterfilter.go
Common Modelscommon_models.go
Common Storagecommon_storage.go
Database Clientpg-client.go
Advisory Lockadvisory_lock.go
Repositoryrepository.go
Serviceservice.go
Mappermapper.go
JSONB Typesjsonb.go
Optional Helperoptional.go
Errorserrors.go
Logger (slog)logger_slog.go
Logger (zap)logger_zap.go
Test Setupmain_test.go
Test Fixtures (SQL)testmigration_example.sql
Repository Testsrepository_test.go
Service Testsservice_test.go
Moneymoney.go
Money Testsmoney_test.go

HTTP Layer

ComponentFile
HTTP Handlerhandler.go
Middlewaremiddleware.go
HTTP Errorshttp_errors.go
Authenticationauth.go

Production

ComponentFile
Paginationpagination.go
Health Checkhealth.go
Workerworker.go
Tracingtracing.go

Templates

FilePurpose
DockerfileMulti-stage build
MakefileBuild automation
docker-compose.ymlLocal development
.env.exampleEnvironment template

Dependencies

ALWAYS use @latest when adding new dependencies.

Recommended libraries:

# Core
go get golang.org/x/sync/errgroup@latest
go get github.com/caarlos0/env/v10@latest
go get github.com/jackc/pgx/v5@latest
go get github.com/Masterminds/squirrel@latest
go get github.com/pressly/goose/v3@latest
go get github.com/avast/retry-go@latest
go get github.com/google/uuid@latest
go get github.com/shopspring/decimal@latest

# HTTP Layer
go get github.com/go-chi/chi/v5@latest
go get github.com/go-playground/validator/v10@latest
go get gopkg.in/go-jose/go-jose.v2@latest

# Testing
go get github.com/stretchr/testify@latest
go get github.com/testcontainers/testcontainers-go@latest

# Tracing (OpenTelemetry)
go get go.opentelemetry.io/otel@latest
go get go.opentelemetry.io/otel/sdk@latest
go get go.opentelemetry.io/otel/exporters/otlp/otlptrace/otlptracegrpc@latest
go get go.opentelemetry.io/contrib/instrumentation/net/http/otelhttp@latest
go get github.com/exaring/otelpgx@latest

Version

  • 1.20.0 — Advisory lock pattern for serializable transactions: Serialize() method, enforcement hook, /go-add-repository includes Serialize() by default
  • 1.19.0 — Filter pattern for database queries: XxxFilter, getXxxCondition(), /go-add-repository generates filter scaffold
  • 1.18.0 — Dependency version enforcement: PreToolUse hook for go get @latest
  • 1.17.0 — Testcontainers integration: typed closer, testmigration/ fixtures, goose with sql.Open
  • 1.16.1 — Fix golangci-lint v2 schema: imports-blocklist, remove deprecated options
  • 1.16.0 — Protected .golangci.yml (hook + documentation)
  • 1.15.0 — Package naming: no common/helpers/utils, purpose-named packages (optional/, json.go)
  • 1.14.0 — Error handling: sentinel categories + wrap (internal/errs), helpers, no re-wrap
  • 1.13.1 — golangci-lint v2 fix: typecheck is built-in, wsl (not wsl_v5), troubleshooting
  • 1.13.0 — golangci-lint v2 migration (formatters, nolintlint anti-cheat, err113)
  • 1.12.0 — Comprehensive linting configuration (revive, depguard, exclusion patterns)
  • 1.11.1 — Channel axioms (nil/closed behavior, WaitMany, broadcast signaling)
  • 1.11.0 — Effective Go patterns (control structures, interfaces, allocation, defer, embedding, blank identifier)
  • 1.10.3 — Package structure decision guide (pkg/ vs internal/)
  • 1.10.2 — Config: embedded structs only (no named fields in main Config)
  • 1.10.1 — Fix: UserColumns() in models package only (not repository)
  • 1.10.0 — Repository pattern: Save as upsert, UserColumns() function, Values() method
  • 1.9.0 — Authentication patterns (gateway-based, full JWT validation)
  • 1.8.0 — Code quality tools (deadcode analysis, make deadcode target)
  • 1.7.1 — Comment conventions (stdlib-style doc comments, no decorative separators)
  • 1.7.0 — Handler-per-entity, Optional[T], JSONB types, Mapper pattern, Config envPrefix, IDs as string
  • 1.6.1 — Money pattern: NUMERIC database storage (was TEXT)
  • 1.6.0 — Money pattern (decimal precision, currency conversion, exchange rates)
  • 1.5.0 — Enhanced testing (testcontainers, testify mock, CI/Local detection)
  • 1.4.0 — Entry point pattern (backend, errgroup, graceful shutdown)
  • 1.3.0 — Best practices (naming, concurrency, pitfalls, performance)
  • 1.2.0 — Simple errors, OpenTelemetry tracing
  • 1.1.0 — HTTP Layer, Enhanced Errors, Production Patterns (pagination, health, workers)
  • 1.0.0 — Initial release

スコア

総合スコア

65/100

リポジトリの品質指標に基づく評価

SKILL.md

SKILL.mdファイルが含まれている

+20
LICENSE

ライセンスが設定されている

+10
説明文

100文字以上の説明がある

0/10
人気

GitHub Stars 100以上

0/15
最近の活動

1ヶ月以内に更新

+10
フォーク

10回以上フォークされている

0/5
Issue管理

オープンIssueが50未満

+5
言語

プログラミング言語が設定されている

+5
タグ

1つ以上のタグが設定されている

+5

レビュー

💬

レビュー機能は近日公開予定です