go
Compare original and translation side by side
🇺🇸
Original
English🇨🇳
Translation
ChineseGo
Go
This is a guide for how to develop applications and modules/libraries in Go.
Some of it is only applicable for applications, not modules used as libraries in other projects, such as database access and running a server.
这是一份Go应用程序及模块/库开发指南。
其中部分内容仅适用于应用程序,不适用于作为其他项目依赖库的模块,例如数据库访问和服务器运行相关内容。
Application structure
应用程序结构
Generally, I build web applications and libraries/modules.
These are the packages typically present in applications (some may be missing, which typically means I don't need them in the project).
- : contains the main entry point of the application (in directory
main)cmd/app - : contains the domain model used throughout the other packages
model - /
sql/sqlite: contains SQL database-related logic as well as database migrations (under subdirectorypostgres) and test fixtures (under subdirectorymigrations/). The database used is either SQLite or PostgreSQL.testdata/fixtures/ - /
sqltest/sqlitetest: package used in testing, for setting up and tearing down test databasespostgrestest - : logic for interacting with Amazon S3 or compatible object stores
s3 - : package used in testing, for setting up and tearing down test S3 buckets
s3test - : clients for interacting with large language models (LLMs) and foundation models
llm - : package used in testing, for setting up LLM clients for testing
llmtest - : HTTP handlers for the application
http - : HTML templates for the application, written with the gomponents library (see https://www.gomponents.com/llms.txt for how to use that if you need to)
html
我通常开发Web应用程序及库/模块。
以下是应用程序中通常会包含的包(部分包可能缺失,通常意味着项目中不需要它们)。
- :包含应用程序的主入口(位于
main目录下)cmd/app - :包含所有其他包都会使用的领域模型
model - /
sql/sqlite:包含SQL数据库相关逻辑,以及数据库迁移文件(位于postgres子目录)和测试夹具(位于migrations/子目录)。使用的数据库为SQLite或PostgreSQL。testdata/fixtures/ - /
sqltest/sqlitetest:测试专用包,用于创建和销毁测试数据库postgrestest - :与Amazon S3或兼容对象存储交互的逻辑
s3 - :测试专用包,用于创建和销毁测试S3存储桶
s3test - :与大语言模型(LLMs)和基础模型交互的客户端
llm - :测试专用包,用于为测试创建LLM客户端
llmtest - :应用程序的HTTP处理器
http - :应用程序的HTML模板,使用gomponents库编写(如需使用可查看https://www.gomponents.com/llms.txt)
html
Code style
代码风格
Dependency injection
依赖注入
I make heavy use of dependency injection between components. This is typically done with private interfaces on the receiving side. Note the use of in this example:
userGettergo
package http
import (
"net/http"
"github.com/go-chi/chi/v5"
"maragu.dev/httph"
"model"
)
type UserResponse struct {
Name string
}
type userGetter interface {
GetUser(ctx context.Context, id model.ID) (model.User, error)
}
func User(r chi.Router, db userGetter) {
r.Get("/user", httph.JSONHandler(func(w http.ResponseWriter, r *http.Request, _ any) (UserResponse, error) {
id := r.URL.Query().Get("id")
user, err := db.GetUser(r.Context(), model.ID(id))
if err != nil {
return UserResponse{}, httph.HTTPError{Code: http.StatusInternalServerError, Err: errors.New("error getting user")}
}
return UserResponse{Name: user.Name}, nil
}))
}
我在组件之间大量使用依赖注入。通常通过接收端的私有接口实现。请注意以下示例中的使用:
userGettergo
package http
import (
"net/http"
"github.com/go-chi/chi/v5"
"maragu.dev/httph"
"model"
)
type UserResponse struct {
Name string
}
type userGetter interface {
GetUser(ctx context.Context, id model.ID) (model.User, error)
}
func User(r chi.Router, db userGetter) {
r.Get("/user", httph.JSONHandler(func(w http.ResponseWriter, r *http.Request, _ any) (UserResponse, error) {
id := r.URL.Query().Get("id")
user, err := db.GetUser(r.Context(), model.ID(id))
if err != nil {
return UserResponse{}, httph.HTTPError{Code: http.StatusInternalServerError, Err: errors.New("error getting user")}
}
return UserResponse{Name: user.Name}, nil
}))
}
Tests
测试
I write tests for most functions and methods. I almost always use subtests with a good description of whats is going on and what the expected result is.
Here's an example:
go
package example
type Thing struct {}
func (t *Thing) DoSomething() (bool, error) {
return true, nil
}go
package example_test
import (
"testing"
"maragu.dev/is"
"example"
)
func TestThing_DoSomething(t *testing.T) {
t.Run("should do something and return a nil error", func(t *testing.T) {
thing := &example.Thing{}
ok, err := thing.DoSomething()
is.NotError(t, err)
is.True(t, ok)
})
}Sometimes I use table-driven tests:
go
package example
import "errors"
type Thing struct {}
var ErrChairNotSupported = errors.New("chairs not supported")
func (t *Thing) DoSomething(with string) error {
if with == "chair" {
return ErrChairNotSupported
}
return nil
}go
package example_test
import (
"testing"
"maragu.dev/is"
"example"
)
func TestThing_DoSomething(t *testing.T) {
tests := []struct {
name string
input string
expected error
}{
{name: "should do something with the table and return a nil error", input: "table", expected: nil},
{name: "should do something with the chair and return an ErrChairNotSupported", input: "chair", expected: example.ErrChairNotSupported},
}
for _, test := range tests {
t.Run(test.name, func(t *testing.T) {
thing := &example.Thing{}
err := thing.DoSomething(test.input)
if test.expected != nil {
is.Error(t, test.expected, err)
} else {
is.NotError(t, err)
}
})
}
}I prefer integration tests with real dependencies over mocks, because there's nothing like the real thing. Dependencies are typically run in Docker containers. You can assume the dependencies are running when running tests.
It makes sense to use mocks when the important part of a test isn't the dependency, but it plays a smaller role. But for example, when testing database methods, a real underlying database should be used.
I use test assertions with the module . Available functions: , , , , , , . All of these take an optional message as the last parameter.
maragu.dev/isis.Trueis.Equalis.Nilis.NotNilis.EqualSliceis.NotErroris.ErrorSince tests are shuffled, don't rely on test order, even for subtests.
Every time the / test helpers are called, the database is in a clean state (no leftovers from other tests etc.).
postgrestest.NewDatabase(t)sqlitetest.NewDatabase(t)You can use database fixtures for tests. Prefer these for test data setups when multiple tests rely on the same or very similar data, so that every test doesn't have to set up the same data. They are in /. Use them with . They are applied in the order given.
sqlite/testdata/fixturespostgres/testdata/fixturessqlitetest.NewDatabase(t, sqlitetest.WithFixtures("fixture one", "fixture two"))Test helper functions should call .
testing.T.Helper()In tests, use instead of , and always use it inline instead of pulling out into a variable.
t.Context()context.Background()ctx我会为大多数函数和方法编写测试。我几乎总会使用子测试,并清晰描述测试内容和预期结果。
Here's an example:
go
package example
type Thing struct {}
func (t *Thing) DoSomething() (bool, error) {
return true, nil
}go
package example_test
import (
"testing"
"maragu.dev/is"
"example"
)
func TestThing_DoSomething(t *testing.T) {
t.Run("should do something and return a nil error", func(t *testing.T) {
thing := &example.Thing{}
ok, err := thing.DoSomething()
is.NotError(t, err)
is.True(t, ok)
})
}有时候我会使用表驱动测试:
go
package example
import "errors"
type Thing struct {}
var ErrChairNotSupported = errors.New("chairs not supported")
func (t *Thing) DoSomething(with string) error {
if with == "chair" {
return ErrChairNotSupported
}
return nil
}go
package example_test
import (
"testing"
"maragu.dev/is"
"example"
)
func TestThing_DoSomething(t *testing.T) {
tests := []struct {
name string
input string
expected error
}{
{name: "should do something with the table and return a nil error", input: "table", expected: nil},
{name: "should do something with the chair and return an ErrChairNotSupported", input: "chair", expected: example.ErrChairNotSupported},
}
for _, test := range tests {
t.Run(test.name, func(t *testing.T) {
thing := &example.Thing{}
err := thing.DoSomething(test.input)
if test.expected != nil {
is.Error(t, test.expected, err)
} else {
is.NotError(t, err)
}
})
}
}相较于模拟对象,我更喜欢使用真实依赖的集成测试,因为真实环境是无可替代的。依赖通常运行在Docker容器中。运行测试时可默认依赖已启动。
当测试的核心并非依赖项,且依赖仅起次要作用时,使用模拟对象是合理的。但例如在测试数据库方法时,应使用真实的底层数据库。
我使用模块进行测试断言。可用函数包括:、、、、、、。所有这些函数都支持将可选消息作为最后一个参数。
maragu.dev/isis.Trueis.Equalis.Nilis.NotNilis.EqualSliceis.NotErroris.Error由于测试会随机排序,请勿依赖测试执行顺序,即使是子测试也不例外。
每次调用/测试工具函数时,数据库都会处于干净状态(无其他测试遗留数据等)。
postgrestest.NewDatabase(t)sqlitetest.NewDatabase(t)你可以为测试使用数据库夹具。当多个测试依赖相同或高度相似的数据时,建议使用夹具来设置测试数据,这样每个测试就无需重复设置相同数据。夹具位于/目录下。可通过来使用,夹具会按传入顺序应用。
sqlite/testdata/fixturespostgres/testdata/fixturessqlitetest.NewDatabase(t, sqlitetest.WithFixtures("fixture one", "fixture two"))测试工具函数应调用。
testing.T.Helper()在测试中,使用而非,并始终内联使用,不要将其赋值给变量。
t.Context()context.Background()ctxMiscellaneous
其他注意事项
- Variable naming:
- for requests,
reqfor responsesres
- There are SQL helpers available, at ,
Database.H.Select,Database.H.Exec,Database.H.Get.Database.H.InTx - Use the builtin in Go instead of
anyinterface{} - There's an alias for from stdlib at
sql.ErrNoRows, so you don't have to import bothmaragu.dev/glue/sql.ErrNoRows - All HTML buttons need the CSS class
cursor-pointer - SQLite time format is always a string returned by . Use
strftime('%Y-%m-%dT%H:%M:%fZ')(usually aliased inmaragu.dev/glue/model.Timein the project) instead of stdlibmodel.Timewhen working with the database.time.Time - Remember that private functions in Go are package-level, so you can use them across files in the same package
- Documentation must follow the Go style of having the identifier name be the first word of the sentence, and then completing the sentence without repeating itself. Example: "// SearchProducts using the given search query and result limit." NOT: "// SearchProducts searches products using the given search query and result label."
- Package-level identifiers must begin with lowercase by default, i.e. have package-level visibility, to make the API surface area towards other packages smaller.
- Use when converting arbitrary values to strings, instead of functions from
fmt.Sprint.strconv - Use (available since Go 1.26) instead of any pointer functions for making pointers to literals.
new()
- 变量命名:
- 请求用,响应用
reqres
- 请求用
- 提供以下SQL工具函数:、
Database.H.Select、Database.H.Exec、Database.H.GetDatabase.H.InTx - 使用Go内置的类型替代
anyinterface{} - 是标准库
maragu.dev/glue/sql.ErrNoRows的别名,因此无需同时导入两者sql.ErrNoRows - 所有HTML按钮都需要添加CSS类
cursor-pointer - SQLite的时间格式始终为返回的字符串。操作数据库时,请使用
strftime('%Y-%m-%dT%H:%M:%fZ')(项目中通常别名为maragu.dev/glue/model.Time)而非标准库的model.Timetime.Time - 请记住,Go中的私有函数是包级别的,因此可在同一包的不同文件中使用
- 文档必须遵循Go的风格:标识符名称作为句子的第一个单词,然后完成句子且不重复标识符。示例:"// SearchProducts using the given search query and result limit." 而非:"// SearchProducts searches products using the given search query and result label."
- 包级标识符默认必须以小写开头,即仅具有包级可见性,以减少对其他包暴露的API范围
- 将任意值转换为字符串时,使用而非
fmt.Sprint包中的函数strconv - 创建字面量的指针时,使用(Go 1.26及以上版本可用)而非其他指针函数
new()
Testing, linting, evals
测试、代码检查与评估
Run or to run all tests. To run tests in just one package, use . To run a specific test, use .
make testgo test -shuffle on ./...go test -shuffle on ./path/to/packagego test ./path/to/package -run TestNameRun or to run linters. They should always be run on the package/directory level, it won't work with single files.
make lintgolangci-lint runRun or to run LLM evals.
make evalgo test -shuffle on -run TestEval ./...Run to format all code in the project, which is useful as a last finishing touch.
make fmtYou can access the database by using or in the shell.
psqlsqlite3运行或来执行所有测试。仅运行单个包的测试可使用。运行特定测试可使用。
make testgo test -shuffle on ./...go test -shuffle on ./path/to/packagego test ./path/to/package -run TestName运行或来执行代码检查。代码检查应始终在包/目录级别运行,无法针对单个文件执行。
make lintgolangci-lint run运行或来执行LLM评估。
make evalgo test -shuffle on -run TestEval ./...运行来格式化项目中所有代码,这是完成代码编写后的收尾步骤。
make fmt可在终端中使用或访问数据库。
psqlsqlite3Documentation
文档
You can generally look up documentation for a Go module using with the module name. For example, for something in the standard library, or for a third-party module. You can also look up more specific documentation for an identifier with something like , for the interface.
go docgo doc net/httpgo doc maragu.dev/gaigo doc maragu.dev/gai.ChatCompleterChatCompleter通常可使用加模块名来查看Go模块的文档。例如,查看标准库内容可使用,查看第三方模块可使用。还可查看特定标识符的文档,例如可查看接口的文档。
go docgo doc net/httpgo doc maragu.dev/gaigo doc maragu.dev/gai.ChatCompleterChatCompleterChecking apps in a browser
在浏览器中检查应用
You can assume the app is running and available in a browser using the Chrome Dev Tools MCP tool. It auto-reloads on code changes so you don't have to.
Log output from the running application is in in the project root.
app.log可默认应用已启动,并可通过Chrome Dev Tools MCP工具在浏览器中访问。代码变更时应用会自动重载,无需手动操作。
运行中应用的日志输出位于项目根目录的文件中。
app.log