跳转至

Coding/Golang

Golang 文档注释

文档注释(Doc Comments)是一些出现在顶层的包、常量、函数、类型、变量的定义前的文档。

原则上来讲,所有导出的名称都应该有文档注释(就是首字母大写的东西)

这些注释可以被 go/docgo/doc/comment 包从源代码中提取出来形成文档,你在 pkg.go.dev 中的每一个包中看到的文档内容其实都来自于源代码中的注释。

包的注释

每一个包都应该有一段 包的注释 用来介绍这个包的作用并提供一些相关信息。下面是一个例子

Go
1
2
3
4
5
6
7
8
// Package path implements utility routines for manipulating slash-separated
// paths.
//
// The path package should only be used for paths separated by forward
// slashes, such as the paths in URLs. This package does not deal with
// Windows paths with drive letters or backslashes; to manipulate
// operating system paths, use the [path/filepath] package.
package path

其中 [path/filepath] 会在文档中创建一个到 filepath 文件的链接。

Go 的文档注释使用完整的句子。对于包的注释来说,意味着第一个句子应当以 Package 开始。

如果某一个包由多个文件组成,那么包的注释应该只存在于其中一个源文件中。如果多个文件都有包的注释,那么他们最终会被合并。

命令的注释

(暂略

类型的注释

一个 类型的注释 应该解释这个类型表示或提供的示例是什么。

下面是几个示例:

Go
1
2
3
4
5
6
package zip

// A Reader serves content from a ZIP archive.
type Reader struct {
    ...
}
Go
1
2
3
4
5
6
7
8
package regexp

// Regexp is the representation of a compiled regular expression.
// A Regexp is safe for concurrent use by multiple goroutines,
// except for configuration methods, such as Longest.
type Regexp struct {
    ...
}

对于一个有导出属性(首字母大写)的结构体,所有的导出属性要么应该在文档注释中说明,要么应该在每一个属性的注释中说明。

比如这个文档注释就说明了属性的作用:

Go
package io

// A LimitedReader reads from R but limits the amount of
// data returned to just N bytes. Each call to Read
// updates N to reflect the new amount remaining.
// Read returns EOF when N <= 0.
type LimitedReader struct {
    R   Reader // underlying reader
    N   int64  // max bytes remaining
}

而下面这个就是讲这些说明移到了属性的注释中:

Go
package comment

// A Printer is a doc comment printer.
// The fields in the struct can be filled in before calling
// any of the printing methods
// in order to customize the details of the printing process.
type Printer struct {
    // HeadingLevel is the nesting level used for
    // HTML and Markdown headings.
    // If HeadingLevel is zero, it defaults to level 3,
    // meaning to use <h3> and ###.
    HeadingLevel int
    ...
}

函数的注释

一个函数的注释应该解释清楚函数的返回值或者函数被调用后会有什么作用以及其副作用。

命名了的参数或者返回值可以通过直接卸载注释中来引用(不用转义

下面是两个例子:

Go
1
2
3
4
5
6
7
8
package strconv

// Quote returns a double-quoted Go string literal representing s.
// The returned string uses Go escape sequences (\t, \n, \xFF, \u0100)
// for control characters and non-printable characters as defined by IsPrint.
func Quote(s string) string {
    ...
}
Go
package os

// Exit causes the current program to exit with the given status code.
// Conventionally, code zero indicates success, non-zero an error.
// The program terminates immediately; deferred functions are not run.
//
// For portability, the status code should be in the range [0, 125].
func Exit(code int) {
    ...
}

常量的注释

可以使用一个文档注释来介绍一整组常量:

Go
package scanner // import "text/scanner"

// The result of Scan is one of these tokens or a Unicode character.
const (
    EOF = -(iota + 1)
    Ident
    Int
    Float
    Char
    ...
)

当然有时候常量组并不需要文档注释,而是卸载每个常量后面:

Go
1
2
3
4
5
6
7
8
package unicode // import "unicode"

const (
    MaxRune         = '\U0010FFFF' // maximum valid Unicode code point.
    ReplacementChar = '\uFFFD'     // represents invalid code points.
    MaxASCII        = '\u007F'     // maximum ASCII value.
    MaxLatin1       = '\u00FF'     // maximum Latin-1 value.
)

没有分组的常量往往需要一个完整的文档注释(以变量名为开头)

Go
1
2
3
4
package unicode

// Version is the Unicode edition from which the tables are derived.
const Version = "13.0.0"

变量的注释

同常量。

其他的略了

参考:Go Doc Comments - The Go Programming Language

GORM 源码阅读

Migrator

Go
// Migrator m struct
type Migrator struct {
    Config
}

// Config schema config
type Config struct {
    CreateIndexAfterCreateTable bool
    DB                          *gorm.DB
    gorm.Dialector
}

工具函数

1. CurrentDatabase
Go
1
2
3
4
func (m Migrator) CurrentDatabase() (name string) {
    m.DB.Raw("SELECT DATABASE()").Row().Scan(&name)
    return
}

对于 PostgreSql 应为 current_database()

2. HasTable
Go
// HasTable returns table exists or not for value, value could be a struct or string
func (m Migrator) HasTable(value interface{}) bool

基于如下 SQL 语句:

SQL
SELECT count(*) FROM information_schema.tables WHERE table_schema = ? AND table_name = ? AND table_type = ?

三个参数分别为 currentDatabase, stmt.Table, "BASE TABLE"

PostgreSQL: Documentation: 15: Chapter 37. The Information Schema

PostgreSQL: Documentation: 15: 37.54. tables

  • table_schema:Name of the schema that contains the table
  • table_name:Name of the table
  • table_type:Type of the table:
  • BASE TABLE for a persistent base table (the normal table type)
  • VIEW for a view
  • FOREIGN for a foreign table
  • LOCAL TEMPORARY for a temporary table
3. CreateTable
4. ColumnTypes
Go
// ColumnTypes return columnTypes []gorm.ColumnType and execErr error
func (m Migrator) ColumnTypes(value interface{}) ([]gorm.ColumnType, error)
Go
// ColumnType column type interface
type ColumnType interface {
    Name() string
    DatabaseTypeName() string                 // varchar
    ColumnType() (columnType string, ok bool) // varchar(64)
    PrimaryKey() (isPrimaryKey bool, ok bool)
    AutoIncrement() (isAutoIncrement bool, ok bool)
    Length() (length int64, ok bool)
    DecimalSize() (precision int64, scale int64, ok bool)
    Nullable() (nullable bool, ok bool)
    Unique() (unique bool, ok bool)
    ScanType() reflect.Type
    Comment() (value string, ok bool)
    DefaultValue() (value string, ok bool)
}

AutoMigrate

Go
func (m Migrator) AutoMigrate(values ...interface{}) error

首先,根据约束条件对 values 进行重新排序:m.ReorderModels(values, true)

然后遍历 values

  • 如果不存在该表则创建该表,出现错误则返回
  • 如果存在则获取该表的列,并遍历 value 中的每一列进行比较
  • 如果存在对应列,则自动迁移(类型、约束等处理)
  • 如果不存在,则添加该列

Golang 标准库之 sql

Golang 标准库中的 database/sql 包提供了访问 SQL(或类 SQL)数据库的通用接口,需要与数据库驱动1结合使用。

本文以 PostgreSQL 数据库为例,使用 jackc/pgx: PostgreSQL driver and toolkit for Go (github.com) 并假设已在本机安装了 PostgreSQL并监听本机的 5432 端口。

database/sqlsql package - database/sql - Go Packages

pgxpgx package - github.com/jackc/pgx/v5 - Go Packages

一、连接数据库

Open 用于创建一个数据库 handle(根据驱动的不同也许只会验证参数并不会真的创建与数据库的连接):

Go
db, err := sql.Open(driver, dataSourceName)

这里的两个参数都是 string 类型的:

  • driver:指定使用的数据库驱动
  • dataSourceName:指定了数据库连接信息,比如数据库名、验证信息等,也就是数据库 URL。

比如,使用 pgx 数据库驱动可以这么写:

Go
1
2
3
4
5
6
7
// urlExample := "postgres://username:password@localhost:5432/database_name"
db, err := sql.Open("pgx", os.Getenv("DATABASE_URL"))
if err != nil {
    fmt.Fprintf(os.Stderr, "Unable to connect to database: %v\n", err)
    os.Exit(1)
}
defer db.Close()

Open 函数会返回一个 *DB 类型的值,这个类型有很多方法,很多数据库的操作诸如查询、SQL语句执行等都会用到它。

一些数据库驱动库也会实现自己的相关方法,不过这可能会使得后续的一些操作可能会与其他 SQL 数据库不兼容:

Go
1
2
3
4
5
6
7
// urlExample := "postgres://username:password@localhost:5432/database_name"
conn, err := pgx.Connect(context.Background(), os.Getenv("DATABASE_URL"))
if err != nil {
    fmt.Fprintf(os.Stderr, "Unable to connect to database: %v\n", err)
    os.Exit(1)
}
defer conn.Close(context.Background())

Connect 函数会返回一个 Conn 类型的指针,其实可以发现这个类型与 DB 类型很像。

这里还使用了 context 库,具体见 Golang 标准库之 context

二、执行 SQL 语句

1. 使用 Exec 执行非查询语句(返回 Result)

DB 类型有这样一个方法用于执行任何 SQL 语句,但是 不会返回任何行

Go
func (db *DB) Exec(query string, args ...any) (Result, error)

以下是 Result 类型的定义:

Go
type Result interface {
    // LastInsertId 返回数据库为一个命令生成的 ID
    // 一般在向包含 auto increment 列的表插入新行时会用到,
    // (不一定所有的数据库都支持,且不同的数据库的支持也不尽相同)
    LastInsertId() (int64, error)

    // RowsAffected 返回一次 update, insert, 或 delete 影响到的列的数量
    // (不一定所有的数据库都支持)
    RowsAffected() (int64, error)
}

例子:

Go
id := 47
result, err := db.Exec(ctx, "UPDATE balances SET balance = balance + 10 WHERE user_id = ?", id)
if err != nil {
    log.Fatal(err)
}
rows, err := result.RowsAffected()
if err != nil {
    log.Fatal(err)
}
if rows != 1 {
    log.Fatalf("expected to affect 1 row, affected %d", rows)
}

2. 使用 Query 执行查询命令(返回 Rows)

DB 类型有另一个方法 可以返回行(一般用于 SELECT):

Go
func (db *DB) Query(query string, args ...any) (*Rows, error)

Rows 类型是查询的结果。它的指针从第一行之前开始,可以使用 Next 方法来移动到下一行:

func (rs *Rows) Next() bool

此外还有 NextResultSet 用于移动到下一个结果集:

func (rs *Rows) NextResultSet() bool

它还有一些其他方法:

  • func (rs *Rows) Close() error:用于关闭 Rows 防止 Next 的枚举,在 Next 遍历完所有行后会自动关闭。
  • func (rs *Rows) Columns() ([]string, error):返回列名。
  • func (rs *Rows) ColumnTypes() ([]*ColumnType, error):返回列的类型,有关 ColumnType 先咕了,或者看 sql package - database/sql - Go Packages
  • func (rs *Rows) Scan(dest ...any) error:从当前行赋值所有列到 dest 指向位置(参数数量要与列数量相等)。
  • func (rs *Rows) Err() error:返回在迭代过程中遇到的错误

一个多结果集查询的例子:

Go
age := 27
q := `
create temp table uid (id bigint); -- Create temp table for queries.
insert into uid
select id from users where age < ?; -- Populate temp table.

-- First result set.
select
users.id, name
from
users
join uid on users.id = uid.id
;

-- Second result set.
select 
ur.user, ur.role
from
user_roles as ur
join uid on uid.id = ur.user
;
`
rows, err := db.Query(q, age)
if err != nil {
    log.Fatal(err)
}
defer rows.Close()

for rows.Next() {
    var (
        id   int64
        name string
    )
    if err := rows.Scan(&id, &name); err != nil {
        log.Fatal(err)
    }
    log.Printf("id %d name is %s\n", id, name)
}
if !rows.NextResultSet() {
    log.Fatalf("expected more result sets: %v", rows.Err())
}
var roleMap = map[int64]string{
    1: "user",
    2: "admin",
    3: "gopher",
}
for rows.Next() {
    var (
        id   int64
        role int64
    )
    if err := rows.Scan(&id, &role); err != nil {
        log.Fatal(err)
    }
    log.Printf("id %d has role %s\n", id, roleMap[role])
}
if err := rows.Err(); err != nil {
    log.Fatal(err)
}

3. 使用 QueryRow 执行查询命令(返回 Row)

如果结果没有包含任何一行,就返回 ErrNoRows,否则就返回第一行并忽略其他行。

例子:

Go
id := 123
var username string
var created time.Time
err := db.QueryRowContext(ctx, "SELECT username, created_at FROM users WHERE id=?", id).Scan(&username, &created)
switch {
case err == sql.ErrNoRows:
    log.Printf("no user with id %d\n", id)
case err != nil:
    log.Fatalf("query error: %v\n", err)
default:
    log.Printf("username is %q, account created on %s\n", username, created)
}

更多的方法见 文档 2

参考

废文案

Golang 标准库之 context

一、引入

在使用 goroutine 时会出现这样一个问题:

Go
package main

import "time"

func main() {
    go f()
    for range time.Tick(time.Second) {
        println("main tick")
    }
}

func f() {
    defer func() {
        println("exit f")
    }()
    go ff()
    println("f")
}

func ff() {
    for range time.Tick(time.Second) {
        println("ff tick")
    }
}

如果运行上面这段代码,会发现,创建运行 ff 的 goroutine 的 f 在退出之后 ff 仍在运行。

有时候我们希望这些 goroutine 具有类似主 goroutine 与其他 goroutine 的“父子”关系,即“父” goroutine 退出时终止“子” goroutine。

但是 golang 中的 goroutine 并不这样,但是我们可以通过 context 来是实现它。


再举一个具体点的例子:

Go
func main()  {
    http.HandleFunc("/", SayHello) // 设置访问的路由
    log.Fatalln(http.ListenAndServe(":8080",nil))
}

func SayHello(writer http.ResponseWriter, request *http.Request)  {
    fmt.Println(&request)

    go func() {
        for range time.Tick(time.Second) {
            fmt.Println("Current request is in progress")
        }
    }()

    time.Sleep(2 * time.Second)
    writer.Write([]byte("Hi, New Request Comes"))
}

每一个 Http 请求都会创建一个 goroutine 用于运行 Handler 函数,在这个例子中的 Handler 函数包含了一段使用 goroutine 运行一个无限循环的例子,这其实很常用(比如创建一个对当前 Handler 的监听器),我们会希望在 Handler 退出时,这个 goroutine 也被终止。但是实际上这段代码像先前的例子一样,这段循环会一直运行。

request 其中包含了一个方法让我们得以判断这个 Handler 是否处理完成:

Go
go func() {
    for range time.Tick(time.Second) {
        select {
        case <- request.Context().Done():
            fmt.Println("request is outgoing")
            return
        default:
            fmt.Println("Current request is in progress")
        }
    }
}()

而 context 便可以像这个例子一样解决我们遇到的问题。

二、什么是 context

官方对于 Context 的介绍是:在截止时间(deadline)、取消信号(cancellation signal)以及其他 request-scoped 的值

在 Golang 标准库的 context 包中,Context 是这样定义的:

Go
1
2
3
4
5
6
type Context interface {
    Deadline() (deadline time.Time, ok bool)
    Done() <-chan struct{}
    Err() error
    Value(key any) any
}
  • Deadline():返回当工作完成(context 被取消)的截止时间,当没有 deadline 的时候 okfalse
  • Done():返回一个当工作完成(context 被取消)时关闭的 channel,当 context 永远不会被取消的时候返回 nil
  • Err():如果 Done 还没有被关闭,则返回 nil;如果 Done 关闭了,则返回一个非 nilerror 解释关闭的原因。
  • Value(key any):返回通过 key 获取的与此 context 关联的键值对中的值。

有两种最基本的 context,他们都会返回 emptyCtx,即 Deadline() 直接返回而 Done()Err()Value(key any) 返回 nilContext

  • func Background() Context

常用于主函数、初始化、测试,以及作为请求的顶级 Context。

  • func TODO() Context

用于在不确定用何种 Context 或目前不可用时使用。


此外 Golang 在 context 库中提供了很多方便创建 Context 的工具函数:

  • WithCancel

有时我们希望通过关闭 Done channel 来向使用此 context 的 goroutine 传递 context 取消的信息(就像上面的例子),此时便可以使用此函数:

Go
func WithCancel(parent Context) (ctx Context, cancel CancelFunc)

这个函数会通过复制一个 parent context 并将其 Done 赋为一个新的 channel 的方式创建一个新的 context 并返回,

同时还会返回一个用于关闭 Done 的函数 cancel


一个例子:

Go
// gen 会在另一个 goroutine 中生成整数并传入返回的 channel。
// 调用者应当在不再使用 gen 的时候立刻取消 context。
gen := func(ctx context.Context) <-chan int {
    dst := make(chan int)
    n := 1
    go func() {
        for {
            select {
            case <-ctx.Done():
                return // returning not to leak the goroutine
            case dst <- n:
                n++
            }
        }
    }()
    return dst
}

ctx, cancel := context.WithCancel(context.Background())
defer cancel() // 在下面对生成的整数的使用结束时取消 context

for n := range gen(ctx) {
    fmt.Println(n)
    if n == 5 {
        break
    }
}
  • WithCancelCause

WithCancel 很像,不过其返回的是一个 CancelCauseFunc,接受一个 error 类型的参数。

使用一个非 nilerror(也就是所谓的 cause)会将它记录在 ctx 中,可以使用 Cause(ctx) 来获取它(在 context 被取消时会得到 nil)。

也可以传入 nil 来使用 ctx 原本的 Error

Go
func WithCancelCause(parent Context) (ctx Context, cancel CancelCauseFunc)

一个例子:

Go
1
2
3
4
ctx, cancel := context.WithCancelCause(parent)
cancel(myError)
ctx.Err() // returns context.Canceled
context.Cause(ctx) // returns myError
  • WithDeadline

会通过复制 parent 并使其 Deadline 返回 no later than d。如果 parent 的 Deadline 已经比 d 早了,就不变。

在 deadline 到达时,将会关闭 Done channel。


一个例子:

Go
func main() {
  d := time.Now().Add(1 * time.Millisecond)
  ctx, cancel := context.WithDeadline(context.Background(), d)

  // 即便 ctx 会由于 deadline 被取消,依旧使用 defer 将其取消是一个好习惯
  defer cancel()

  select {
  case <-time.After(1 * time.Second):
      fmt.Println("overslept")
  case <-ctx.Done():
      fmt.Println(ctx.Err())
  }

}

输出:context deadline exceeded

  • WithTimeout
Go
func WithTimeout(parent Context, timeout time.Duration) (Context, CancelFunc)

就是 WithDeadline(parent, time.Now().Add(timeout))

  • WithValue

func WithValue(parent Context, key, val any) Context:其源码是用参数创建一个 valueCtx 并返回(要求 parent 非空,key 非空 key 可以比较)

用于传递值。Use context Values only for request-scoped data that transits processes and APIs, not for passing optional parameters to functions.

valueCtx

递归定义,以此可以保存多对 key val,其 Value 函数基于 key 是否相等的比较返回 val。

Go
1
2
3
4
type valueCtx struct {
  Context
  key, val any
}

参考

GO语言基础进阶教程:Go语言的协程——Goroutine - 知乎 (zhihu.com)

深入理解Golang中的Context包_golang context_沈子恒的博客-CSDN博客

Golang 接口

T10:24:39+08:00 在 go1.18 以前,接口的定义是 方法的集合。 而在 go1.18 及之后,其定义就变更为了 类型的集合

一、基础接口 与 嵌套接口(go1.18 前)

这部分其实就是 go1.18 前接口的样子,每一个接口规定了一个方法的集合,只要一个类型的方法集是接口类型所规定的方法集的超集,就视其实现了方法。

1.1 基础接口

比如对于这一个接口,其规定了一个包含 ReadWriteClose 的方法集,那么只要一个类型的方法集中包含这三个方法就视其实现了这个接口:

Go
1
2
3
4
5
6
// A simple File interface.
type File interface {
    Read([]byte) (int, error)
    Write([]byte) (int, error)
    Close() error
}

1.2 嵌套接口

嵌套接口,其实就是对「要求」进行交集的操作,比如对于下面的 ReadWriter 接口,它要求实现它的类型即满足 Reader 又 满足 Writer,也就是说当一个类型的方法集中包含 ReadWriteClose 这三个方法才说它实现了这个接口。

Go
type Reader interface {
    Read(p []byte) (n int, err error)
    Close() error
}

type Writer interface {
    Write(p []byte) (n int, err error)
    Close() error
}

// ReadWriter's methods are Read, Write, and Close.
type ReadWriter interface {
    Reader  // includes methods of Reader in ReadWriter's method set
    Writer  // includes methods of Writer in ReadWriter's method set
}

这里提到的「要求」其实就是所谓的「类型集」的概念,一个要求可以确定出对应的一系列满足要求的类型,在 go1.18 及之后,接口的功能被进行了拓展,可以将这个「要求」不局限于方法的要求,进一步可以规定类型的要求。 或者换句话说,原本的方法集其实也是规定了一个个类型集,在 go1.18 及之后使其更加通用了。

二、通用接口(go1.18 及之后)

首先,上面的 ReadWriter 其实就是 Reader 所表示的类型集和 Writer 所表示的类型集的交集,当一个接口中包含多个非空类型集的时候,它所表示的类型集就是他们的交集:

Go
1
2
3
4
5
// ReadWriter's methods are Read, Write, and Close.
type ReadWriter interface {
    Reader  // includes methods of Reader in ReadWriter's method set
    Writer  // includes methods of Writer in ReadWriter's method set
}

相应的也可以表示并集(其实这里就是泛型的类型约束),比如这样一个接口,就表示是 float32float64 的类型的集合:

Go
1
2
3
type Float interface {
    float32 | float64
}

三、再看一看官方文档的定义

go1.18 前:

Interface types An interface type specifies a method set called its interface. A variable of interface type can store a value of any type with a method set that is any superset of the interface. Such a type is said to implement the interface.The value of an uninitialized variable of interface type is nil.

一个接口类型定义一个 方法集。 一个属于某一个接口类型的变量能够存储任何类型的值,而它的方法集要求是接口的方法集的超集。

其实就是讲一个类型的方法集包含接口中的所有方法时,就称其实现了接口。

go1.18 及之后:

Interface types An interface type defines a type set. A variable of interface type can store a value of any type that is in the type set of the interface. Such a type is said to implement the interface.The value of an uninitialized variable of interface type is nil.

一个接口类型定义一个 类型集。 一个属于某一个接口类型的变量能够存储属于这个接口所规定的类型集中的任意类型的值。

第二句话可能有点绕,不过绕绕也能绕出来,这里为了绕一绕所以翻译得原汁原味一些,其实表达的就是实现接口的意思,对应着下面的实现接口的定义:

Implementing an interface A type T implements an interface I if

  • T is not an interface and is an element of the type set of I; or
  • T is an interface and the type set of T is a subset of the type set of I.

A value of type T implements an interface if T implements the interface.

对于一个类型 T 来说,有两种情况我们称其实现了接口 I: - T 本身不是个接口类型,但是其属于 I 所定义的类型集。 - T 是一个接口,且 T 所规定的类型集是 I 所定义的类型集的子集。

而对于一个 T 类型的值来说,它的类型 T 实现了接口,就称它实现了接口。