way-go-style
10
总安装量
1
周安装量
#29826
全站排名
安装命令
npx skills add https://github.com/way-platform/skills --skill way-go-style
Agent 安装分布
amp
1
Skill 文档
Way Go Style
Project Setup (AGENTS.md)
Go projects MUST include this skill’s Way Specific Conventions in their AGENTS.md file to ensure compliance.
- Reference this skill: Under “Local Skills”.
- Copy Conventions: Copy the Way Specific Conventions section below into
AGENTS.mdunder “Key Conventions”.
Way Specific Conventions
- Testing: Use standard
testingandgithub.com/google/go-cmp/cmponly. No frameworks (Testify, Ginkgo, etc.). - Linting: Run
GolangCI-Lintv2. Configure via project-specific.golangci.yml. - Build: Use
way-magefileskill. - Encore: Use
encore-go-*skills. Encore conventions (e.g., globals) take precedence.
Overview
This skill provides a condensed reference for writing high-quality Go code, synthesizing advice from “Effective Go”, Google’s “Code Review Comments”, and other authoritative sources. It focuses on idiomatic usage, correctness, and maintainability.
Effective Go Idioms
Critical idioms from Effective Go.
Control Flow & Error Handling
- Defer Evaluation: Arguments to deferred functions are evaluated immediately at the call site (not at execution).
- Init Scope: Use
if err := f(); err != nilto restrict variable scope. - Switch: Use tagless
switch { case condition: ... }instead of longif-elsechains. - Internal Panic/Recover: Use
panicto simplify deep error handling in complex internal code (e.g., parsers), but alwaysrecoverat the package boundary to return a standarderror.
Types & Interfaces
- Functional Adapters: Define methods on function types (e.g.,
type MyFunc func()) to satisfy interfaces. Seehttp.HandlerFunc. - Interface Verification: Use a global blank assignment to ensure a type satisfies an interface at compile time:
var _ Interface = (*Type)(nil).
Google Style Decisions & Best Practices
Key decisions from the Google Go Style Guide and Code Review Comments.
Core Principles
- Clarity: “Clear to the reader” is priority #1. Explain why, not just what.
- Simplicity: “Least Mechanism”. Prefer core constructs (slices, maps) over complex abstractions.
- Concision: High signal-to-noise ratio. Avoid boilerplate.
Naming & Structure
- Packages: Single-word, lowercase (e.g.,
task, nottask_manager). Avoidutil,common. - Receivers: 1-2 letter abbreviations (e.g.,
cforClient). NEVER useme,this,self. - Constants: Always
MixedCaps(e.g.,MaxLength), even if exported. NEVERMAX_LENGTH. - Getters:
Owner()(notGetOwner). - Interfaces: One-method interfaces ->
Method+-er(e.g.,Reader). Define in the consumer package. Keep them small.
Functions & Methods
- Receiver Type:
- Pointer (
*T): If mutating, containssync.Mutex, or large struct. - Value (
T): Maps, channels, functions, small immutable structs. - Consistency: Prefer all pointers or all values for a type’s methods.
- Pointer (
- Pass Values: Don’t pass pointers to small types (
*string,*int) just to save memory. - Synchronous: Prefer synchronous APIs. Let the caller decide to use goroutines.
- Must Functions:
MustXYZpanic on failure. Use only for package-level init or test helpers.
Error Handling
- Flow: Handle errors immediately (
if err != nil { return err }). Keep “happy path” unindented. Avoidelse. - Structure: Use
%wwithfmt.Errorfto wrap errors for programmatic inspection (errors.Is). - Panics: Never panic in libraries. Return errors.
log.Fatalis okay inmain. - Strings: Lowercase, no punctuation (e.g.,
fmt.Errorf("something bad")) for easy embedding.
Concurrency
- Lifetimes: Never start a goroutine without knowing how it stops.
- Context: Always first arg
ctx context.Context. Never store in structs. - Copying: Do not copy structs with
sync.Mutexorbytes.Buffer.
Testing
- Framework: Use
testingpackage. No assertion libraries (usecmpfor diffs). - Helpers: Mark setup/teardown functions with
t.Helper(). - Failure Messages:
YourFunc(%v) = %v, want %v. (Got before Want). - Table-Driven: Use field names in struct literals for clarity.
- Subtests: Use
t.Run()for clear scope and filtering. Avoid slashes in names.
Global State & Init
- Avoid Globals: Libraries should not rely on package-level vars. Allow clients to instantiate (
New()). - Initialization: Use
:=for non-zero values. Usevar t []T(nil) for empty slices. - Imports: Group order: Stdlib, Project/Vendor, Side-effects (
_). No.imports.
Practical Go Cheat Sheet
Best practices for maintainable Go from Dave Cheney’s Practical Go.
Guiding Principles
- Simplicity, Readability, Productivity: The core values. Clarity > Brevity.
- Identifiers: Choose for clarity. Length proportional to scope/lifespan. Don’t include type in name (e.g.,
usersMap->users).
Design & Structure
- Package Names: Name for what it provides (e.g.,
http), not what it contains. Avoidutil,common. - Project Structure: Prefer fewer, larger packages. Arrange files by import dependency.
- API Design: Hard to misuse. Avoid multiple params of same type. Avoid
nilparams. - Interfaces: Let functions define behavior they require (e.g., take
io.Writernot*os.File). - Zero Value: Make structs useful without explicit initialization (e.g.,
sync.Mutex,bytes.Buffer).
Concurrency & Errors
- Concurrency: Leave it to the caller. Never start a goroutine without knowing when/how it stops.
- Errors: Eliminate error handling by eliminating errors (e.g.,
bufio.Scanner). Handle errors once (don’t log AND return). - Return Early: Use guard clauses. Keep the “happy path” left-aligned.
Available References
Detailed documentation available in the references/ directory:
- Effective Go: (HTML) The foundational guide to idiomatic Go.
- Code Review Comments: Common comments made during Go code reviews at Google.
- Google Style Guide: Complete set of Google’s Go style documents.
- Guide: Core guidelines.
- Decisions: Normative style decisions.
- Best Practices: Evolving guidance.
- Practical Go: Dave Cheney’s advice on writing maintainable Go programs.