#26 Golang 反射简单示例

2021-02-09

通过反射(Reflection),我们可以在程序运行时,动态的增删该一些信息(类型,方法,变量),用来完成一些特殊的任务。
主要是实现不同类型都支持的一些方法。在 ORM,序列化等方面都有应用。

这种动态获取信息的能力让程序的开发变得更加灵活,但也会损失部分性能,毕竟需要进行很多类型检查、值转换等操作。
而且,滥用的话会导致程序变得复杂,可读性下降。

示例 1

type Person struct {
    Name string
    Age  int
}

func Insert(db *sql.DB, v interface{}) error {
    value := reflect.ValueOf(v)
    typ := reflect.TypeOf(v)

    sql := "INSERT INTO persons ("
    placeholders := "VALUES ("
    for i := 0; i < typ.Elem().NumField(); i++ {
        fieldName := typ.Elem().Field(i).Name
        sql += fmt.Sprintf("%s, ", fieldName)
        placeholders += "?, "
    }
    sql = sql[:len(sql)-2] + ")"
    placeholders = placeholders[:len(placeholders)-2] + ")"

    args := make([]interface{}, typ.Elem().NumField())
    for i := 0; i < typ.Elem().NumField(); i++ {
        args[i] = value.Elem().Field(i).Interface()
    }

    _, err := db.Exec(sql+placeholders, args...)
    return err
}

示例 2

package main

import (
    "fmt"
    "reflect"
)

type Person struct {
    Name    string
    Age     int
    Address string
}

// 定义结构体方法
func (p Person) Hello() string {
    return "Hello, " + p.Name
}

func main() {
    p := Person{
        Name:    "Alice",
        Age:     30,
        Address: "123 Main St",
    }

    fmt.Println("获取变量的反射类型:===============")
    pType := reflect.TypeOf(p)                  // &reflect.rtype
    fmt.Printf("Type: %s, %#v\n", pType, pType) // main.Person
    // fmt.Println("Type:", pType.Elem()) // panic: reflect: Elem of invalid type main.Person
    pType2 := reflect.TypeOf(&p)
    fmt.Printf("Type: %s, %#v\n", pType2, pType2)               // *main.Person
    fmt.Printf("Type: %s, %#v\n", pType2.Elem(), pType2.Elem()) // main.Person (指针类型的基础类型)

    fmt.Println("获取变量的反射值:===============")
    pValue := reflect.ValueOf(p) // main.Person
    fmt.Printf("Value: %s, %#v\n", pValue, pValue)
    pValue2 := reflect.ValueOf(&p)
    fmt.Printf("Value: %s, %#v\n", pValue2, pValue2) // 地址
    fmt.Printf("Value: %s, %#v\n", pValue2.Elem(), pValue2.Elem())

    fmt.Println("遍历结构体字段:===============")
    for i := 0; i < pType.NumField(); i++ {
        field := pType.Field(i)
        value := pValue.Field(i)
        fmt.Printf("%s: %v\n", field.Name, value.Interface())
    }

    fmt.Println("修改结构体字段值:===============")
    ageField1 := pValue.FieldByName("Age")
    fmt.Printf("Value: %#v\n", ageField1)
    // ageField1.SetInt(31) // panic: reflect: reflect.Value.SetInt using unaddressable value
    // ageField1.Elem().SetInt(31) // panic: reflect: call of reflect.Value.Elem on int Value
    ageField2 := pValue2.Elem().FieldByName("Age")
    fmt.Printf("Value: %#v\n", ageField2)
    ageField2.SetInt(31) // 只有指针类型才能通过反射修改
    fmt.Println("New Age:", p.Age)

    fmt.Println("调用结构体方法:===============")
    helloMethod := pValue.MethodByName("Hello")
    result := helloMethod.Call(nil)
    fmt.Println(result)

    // panic: reflect: call of reflect.Value.FieldByName on ptr Value
    pValue2.FieldByName("Age")

    // panic: reflect: reflect.Value.SetInt using unaddressable value
    // a := reflect.Indirect(pValue)
    b := reflect.Indirect(pValue2)
    b.FieldByName("Age").SetInt(33)
    fmt.Printf("%#v\n", b)
}
  • reflect.TypeOf:获取变量的类型
  • reflect.ValueOf:获取变量的值

  • Type.NumField:获取结构体字段数量
  • Type.Field:获取结构体字段信息

  • Value.Field:获取结构体字段的值

  • Value.FieldByName:根据字段名获取结构体字段的值
  • Value.SetInt:设置整数类型字段的值
  • Value.MethodByName:根据方法名获取结构体方法
  • Value.Call:调用结构体方法

#25 GO111MODULE 是什么?

2021-02-04

每一个 Golang 初学者都会遇到 GOPATH 和 Go Module 的问题,至少在最近的一两年是这样的。
简单的说,就是由于 Golang 诞生于谷歌,所以早期的项目工程化受谷歌内部开发流程影响很大。谷歌内部不同项目的代码放在一起,方便相互引用。GOPATH 就是这种代码管理方式的体现,所有的包都放在一个固定的开发目录下。
但是谷歌外面的世界,可能是受开源生态的影响,我们习惯将代码拆分成不同的包,分散在不通的仓库,需要什么包就导入什么包。所以虽然有一些人一直在吹捧 GOPATH 模式,但是大多数人还是喜欢传统的包模式。
所以在 Go Module 之前,官方或者社区也都有出一些解决方案,其中最有名的是 depvender。但随着最终方案 Go Module 的确定,他们已经完成了历史使命,而我最近两个月才开始学 Go,当然就跳过他们了。

#24 Golang HTTP Server

2021-02-01

最简模式

package main

import (
    "fmt"
    "net/http"
)

func hello(w http.ResponseWriter, req *http.Request) {
    fmt.Fprintf(w, "hello world\n")
}

func main() {
    http.HandleFunc("/", hello)

    http.ListenAndServe(":8080", nil)
}

重点是记住这两点:

  1. func hello(w http.ResponseWriter, req *http.Request)
  2. http.HandleFunc 注册一个函数到指定路径上

ListenAndServe 流程分析

https://github.com/golang/go/blob/master/src/net/http/server.go#L3240
https://github.com/golang/go/blob/master/src/net/http/server.go#L2976

func ListenAndServe(addr string, handler Handler) error {
    server := &Server{Addr: addr, Handler: handler}
    return server.ListenAndServe()
}

func (srv *Server) ListenAndServe() error {
    if srv.shuttingDown() {
        return ErrServerClosed
    }
    addr := srv.Addr
    if addr == "" {
        addr = ":http"
    }
    ln, err := net.Listen("tcp", addr)
    if err != nil {
        return err
    }
    return srv.Serve(ln)
}

主要的逻辑:

  1. net.Listen("tcp", addr) -> net.Listener
  2. for 循环:
  3. net.Listener.Accept() -> net.Conn
  4. http.Server.newConn(conn) -> http.Conn
  5. go http.Conn.serve(ctx)
  6. goroutine 中又是一个 for 循环:
  7. http.Conn.readRequest(ctx) -> http.response
  8. serverHandler{c.server}.ServeHTTP(w, w.req)
  9. 最后这个 serverHandler.ServeHTTP 就比较关键了:
    优先采用 http.Server 上的 Handler;
    如果没有,则用默认的 http.DefaultServeMux 实现简单的 URL 路由。
    这也是为什么 ListenAndServe 传了个 nil 进来,srv.Handlernil 就用 DefaultServeMux
type ServeMux struct {
    mu    sync.RWMutex
    m     map[string]muxEntry
    es    []muxEntry // slice of entries sorted from longest to shortest.
    hosts bool       // whether any patterns contain hostnames
}

func (mux *ServeMux) match(path string) (h Handler, pattern string)
func (mux *ServeMux) redirectToPathSlash(host, path string, u *url.URL) (*url.URL, bool)
func (mux *ServeMux) shouldRedirectRLocked(host, path string) bool
func (mux *ServeMux) Handler(r *Request) (h Handler, pattern string)
func (mux *ServeMux) handler(host, path string) (h Handler, pattern string)
func (mux *ServeMux) ServeHTTP(w ResponseWriter, r *Request)
func (mux *ServeMux) Handle(pattern string, handler Handler)
func (mux *ServeMux) HandleFunc(pattern string, handler func(ResponseWriter, *Request))

DefaultServeMux

// ==================================================================
// 封装 handler,添加到路由表 =========================================
// ==================================================================
func HandleFunc(pattern string, handler func(ResponseWriter, *Request)) {
    DefaultServeMux.HandleFunc(pattern, handler)
}
func (mux *ServeMux) HandleFunc(pattern string, handler func(ResponseWriter, *Request)) {
    if handler == nil {
        panic("http: nil handler")
    }
    // https://github.com/golang/go/blob/master/src/net/http/server.go#L2505
    // func (mux *ServeMux) Handle(pattern string, handler Handler)
    // 把 handler 注册到 mux.m (map[string]muxEntry) 上
    // muxEntry{h: handler, pattern: pattern}
    mux.Handle(pattern, HandlerFunc(handler))
}

// 封装普通函数为 Handler
type HandlerFunc func(ResponseWriter, *Request)
func (f HandlerFunc) ServeHTTP(w ResponseWriter, r *Request) {
    f(w, r)
}

type Handler interface {
    ServeHTTP(ResponseWriter, *Request)
}

// ==================================================================
// 路由匹配 =========================================================
// ==================================================================
ServeHTTP -> Handler -> handler -> match
          -> redirectToPathSlash -> shouldRedirectRLocked -> 跳转(http.RedirectHandler)

默认路由规则:

  1. 优先完整匹配
  2. URL 前缀匹配,最长的路由规则优先

另一种方式 (http.Handle)

不用 http.HandleFunc,而是传入一个 Handler(实现 ServeHTTP 方法的结构体)。

package main

import (
    "fmt"
    "net/http"
)

type HelloHandler struct {
    content string
}

func (h *HelloHandler) ServeHTTP(w http.ResponseWriter, req *http.Request) {
    fmt.Fprintf(w, h.content)
}

func main() {
    http.Handle("/", &HelloHandler{"hello world\n"})

    http.ListenAndServe(":8080", nil)
}
func Handle(pattern string, handler Handler) { DefaultServeMux.Handle(pattern, handler) }

http.Handlehttp.HandleFunc 都只是给默认路由(DefaultServeMux)上注册一个规则,知道这一点就可以了。

重点是 mux.HandleHandler 接口。

还可以这样

package main

import (
    "fmt"
    "net/http"
)

type HelloHandler struct {
    content string
}

func (h *HelloHandler) ServeHTTP(w http.ResponseWriter, req *http.Request) {
    fmt.Fprintf(w, h.content)
}

func main() {
    http.ListenAndServe(":8080", &HelloHandler{"hello world\n"})
}

知道背后的流程就豁然开朗了。

当然,这样也是可以的:

func hello(w http.ResponseWriter, req *http.Request) {
    fmt.Fprintf(w, "hello world\n")
}
func main() {
    http.ListenAndServe(":8080", http.HandlerFunc(hello))
}

整理总结

  • http.Conn
  • http.Server
  • 到处都是 Hander(接口),路由(mux)也是 Handler
  • func(w http.ResponseWriter, req *http.Request)

实现正则路由

GitHub 上一搜索 golang mux golang router 就有,这是几个可以参考的方案:

  1. gorilla/mux shield.io
  2. julienschmidt/httprouter shield.io
  3. go-chi/chi shield.io
  4. celrenheit/lion shield.io
  5. beego/mux shield.io

我自己实现一个简单的路由机制,参考 Django:

<name> OR <converter:name>

其中:converter 内置支持 str, int, slug, uuid, path, 可以自定义,默认是 str; name 可以是合法的 Go 变量名。


中间件

通过 Handler 套娃实现中间件:

type LogMiddleware struct {
    handler Handler
}
func (this LogMiddleware) ServeHTTP(w http.ResponseWriter, r *http.Request) {
    start := time.Now()
    this.handler.ServeHTTP(w, r)
    fmt.Printf("%s %s %v\n", r.Method, r.URL.RequestURI(), time.Since(start))
}
mux := ...
http.ListenAndServe(":8000", LogMiddleware{mux})

系统内置 Handler:

grep -E "func.+ServeHTTP" src/net/http -R | grep -Fv "_test.go"
src/net/http/cgi/host.go:func (h *Handler) ServeHTTP(rw http.ResponseWriter, req *http.Request) {
src/net/http/fs.go:func (f *fileHandler) ServeHTTP(w ResponseWriter, r *Request) {
src/net/http/httputil/reverseproxy.go:func (p *ReverseProxy) ServeHTTP(rw http.ResponseWriter, req *http.Request) {
src/net/http/pprof/pprof.go:func (name handler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
src/net/http/server.go:func (f HandlerFunc) ServeHTTP(w ResponseWriter, r *Request) {
src/net/http/server.go:func (rh *redirectHandler) ServeHTTP(w ResponseWriter, r *Request) {
src/net/http/server.go:func (mux *ServeMux) ServeHTTP(w ResponseWriter, r *Request) {
src/net/http/server.go:func (sh serverHandler) ServeHTTP(rw ResponseWriter, req *Request) {
src/net/http/server.go:func (h *timeoutHandler) ServeHTTP(w ResponseWriter, r *Request) {
src/net/http/server.go:func (globalOptionsHandler) ServeHTTP(w ResponseWriter, r *Request) {
src/net/http/server.go:func (h initALPNRequest) ServeHTTP(rw ResponseWriter, req *Request) {
src/net/http/triv.go:func (ctr *Counter) ServeHTTP(w http.ResponseWriter, req *http.Request) {
src/net/http/triv.go:func (ch Chan) ServeHTTP(w http.ResponseWriter, req *http.Request) {

有待分析。

优雅重启


参考资料与拓展阅读

#23 转载:Golang 自举

2021-01-30

Google最近公布了实现Go 1.5自举(Bootstrap)的计划。相关文档的作者是Go核心开发者Russ Cox,他在Go语言上已经耕耘了接近6年。据Russ介绍,Google就“如何从Go源码树中去除所有的C程序”已经酝酿了一年。

#22 Golang SMTP Login 认证

2021-01-16

官方库里面只看到 PlainAuth 和 CramMd5Auth 两种认证方法。

type loginAuth struct {
    username, password string
}

func LoginAuth(username, password string) smtp.Auth {
    return &loginAuth{username, password}
}

func (a *loginAuth) Start(server *smtp.ServerInfo) (proto string, toServer []byte, err error) {
    return "LOGIN", []byte{}, nil
}

func (a *loginAuth) Next(fromServer []byte, more bool) (toServer []byte, err error) {
    if more {
        switch strings.ToUpper(string(fromServer)) {
        case "USERNAME:":
            return []byte(a.username), nil
        case "PASSWORD:":
            return []byte(a.password), nil
        default:
            return nil, fmt.Errorf("unknown command %v", fromServer)
        }
    }
    return nil, nil
}

#21 Go SMTP 发送邮件

2021-01-15
package main

import (
    "crypto/tls"
    "errors"
    "fmt"
    "net"
    "net/smtp"
)

// ============================================================================

type Transaction struct {
    Host      string
    Port      uint16
    LocalName string
    TlsEnable bool
    Username  string
    Password  string
    MailFrom  string
    RcptTo    []string
    Data      []byte
}

func NewTransaction() Transaction {
    trans := Transaction{}
    return trans
}

func (trans Transaction) Send() error {
    addr := fmt.Sprintf("%s:%d", trans.Host, trans.Port)

    // SendMail(addr string, a Auth, from string, to []string, msg []byte) error
    c, err := smtp.Dial(addr)
    if err != nil {
        return err
    }
    defer c.Close()

    c.Hello(trans.LocalName)

    if ok, _ := c.Extension("STARTTLS"); ok {
        serverName, _, _ := net.SplitHostPort(addr)
        config := &tls.Config{
            InsecureSkipVerify: true,
            ServerName:         serverName,
        }
        if err = c.StartTLS(config); err != nil {
            return err
        }
    } else {
        fmt.Printf("smtp: server doesn't support STARTTLS\n")
    }

    if trans.Username != "" {
        if ok, _ := c.Extension("AUTH"); !ok {
            return errors.New("smtp: server doesn't support AUTH")

        }
        auth := smtp.PlainAuth("", trans.Username, trans.Password, trans.Host)
        if err = c.Auth(auth); err != nil {
            fmt.Println("smtp: authentication failed")
            return err
        }
    }

    if err = c.Mail(trans.MailFrom); err != nil {
        return err
    }

    for _, addr := range trans.RcptTo {
        if err = c.Rcpt(addr); err != nil {
            return err
        }
    }

    w, err := c.Data()
    if err != nil {
        return err
    }

    _, err = w.Write(trans.Data)
    if err != nil {
        return err
    }

    err = w.Close()
    if err != nil {
        return err
    }

    return c.Quit()
}

// ============================================================================

func main() {
    from := "ninedoors@126.com"
    to := "ninedoors@qq.com"
    msg := []byte{}
    fmt.Println("============================================================")
    trans := Transaction{
        "smtp.126.com", 25, "peach", false,
        from, "password",
        from, []string{to},
        msg,
    }
    trans.Send()
}
  1. net/smtp 没有发现有好的日志实现,我只能定制了一个版本实现了日志
  2. smtp.Client -> textproto.Conn -> textproto.Writer

#20 Golang make

2020-12-28
m := make(map[string]int, 5)

发现 len(m) = 0 之后我觉得有必要重新复习一下 make 函数了。

make 的作用:分配内存,初始化,返回值(不是指针)。
PS:返回值的说明:返回的是这三种引用类型本身(指针),而不是指向这三个引用的指针。
PS:new 就会返回指针。还有,new 不限类型,不初始化。

  1. slice -> len, cap
  2. map -> 预留大约 n 个元素的空间(具体分配空间的规则不清楚)
  3. chan -> buffer size

The built-in function make takes a type T, which must be a slice, map or channel type, optionally followed by a type-specific list of expressions. It returns a value of type T (not *T). The memory is initialized as described in the section on initial values.

Call             Type T     Result

make(T, n)       slice      slice of type T with length n and capacity n
make(T, n, m)    slice      slice of type T with length n and capacity m

make(T)          map        map of type T
make(T, n)       map        map of type T with initial space for approximately n elements

make(T)          channel    unbuffered channel of type T
make(T, n)       channel    buffered channel of type T, buffer size n

Each of the size arguments n and m must be of integer type or an untyped constant. A constant size argument must be non-negative and representable by a value of type int; if it is an untyped constant it is given type int. If both n and m are provided and are constant, then n must be no larger than m. If n is negative or larger than m at run time, a run-time panic occurs.

s := make([]int, 10, 100)       // slice with len(s) == 10, cap(s) == 100
s := make([]int, 1e3)           // slice with len(s) == cap(s) == 1000
s := make([]int, 1<<63)         // illegal: len(s) is not representable by a value of type int
s := make([]int, 10, 0)         // illegal: len(s) > cap(s)
c := make(chan int, 10)         // channel with a buffer size of 10
m := make(map[string]int, 100)  // map with initial space for approximately 100 elements

Calling make with a map type and size hint n will create a map with initial space to hold n map elements. The precise behavior is implementation-dependent.

#19 Golang: 命令行参数解析(flag

2020-12-25

Go 自带 flag 包,可以用于解析命令行参数。但用起来非常繁琐,更谈不上优雅,远不如 Python 的 argparse 包简洁明了,易于使用。

语法

类型

  • flag.Flag
  • flag.FlagSet
  • flag.Getter
  • flag.Value

方法

func Bool(name string, value bool, usage string) *bool
func BoolVar(p *bool, name string, value bool, usage string)

func Duration(name string, value time.Duration, usage string) *time.Duration
func DurationVar(p *time.Duration, name string, value time.Duration, usage string)

func Float64(name string, value float64, usage string) *float64
func Float64Var(p *float64, name string, value float64, usage string)

func Func(name, usage string, fn func(string) error)

func Int(name string, value int, usage string) *int
func IntVar(p *int, name string, value int, usage string)

func Int64(name string, value int64, usage string) *int64
func Int64Var(p *int64, name string, value int64, usage string)

func String(name string, value string, usage string) *string
func StringVar(p *string, name string, value string, usage string)

func Uint(name string, value uint, usage string) *uint
func UintVar(p *uint, name string, value uint, usage string)

func Uint64(name string, value uint64, usage string) *uint64
func Uint64Var(p *uint64, name string, value uint64, usage string)

func Var(value Value, name string, usage string)
  1. 带 Var 结尾的方法表示将值绑定到一个变量上。
func Arg(i int) string  // i-th argument
func Args() []string    // non-flag arguments

func NArg() int         // number of arguments remaining after flags have been processed
func NFlag() int        // number of command-line flags that have been set

func Parse()
func Parsed() bool
func Set(name, value string) error

func PrintDefaults()    // 帮助信息
func UnquoteUsage(flag *Flag) (name string, usage string)  // 返回 flag 的名称和用法

func Visit(fn func(*Flag))
func VisitAll(fn func(*Flag))

type ErrorHandling

FlagSet

func NewFlagSet(name string, errorHandling ErrorHandling) *FlagSet

上面的方法 FlagSet 也都有一份。

示例:Todo

package main

import (
    "flag"
    "fmt"
)

var (
    addFlag       = flag.String("add", "", "Add a new task")
    listFlag      = flag.Bool("list", false, "List all tasks")
    removeFlag    = flag.Int("remove", -1, "Remove a task by its index")
    removeAllFlag = flag.Bool("remove-all", false, "Remove all tasks")
    doneFlag      = flag.Int("done", -1, "Mark a task as done by its index")
    undoneFlag    = flag.Int("undone", -1, "Mark a task as undone by its index")
)

func main() {
    flag.Parse()
    args := make(map[string]interface{}, 10)
    args["add"] = *addFlag
    args["list"] = *listFlag
    args["remove"] = *removeFlag
    args["remove"] = *removeAllFlag
    args["done"] = *doneFlag
    args["undone"] = *undoneFlag
    fmt.Printf("%#v\n", args)
    // map[string]interface {}{"add":"", "done":-1, "list":false, "remove":false, "undone":-1}
    fmt.Println("Other arguments:", flag.Args())
    // Other arguments: []
}

参考资料与拓展阅读

#18 Go 知名项目

2020-12-21

按照 stars 排序,就取头部的一些项目分析一下:

  1. golang/go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Go programming language
    跳过
  2. kubernetes/kubernetes shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Production-Grade Container Scheduling and Management
    K8S,跳过
  3. avelino/awesome-go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A curated list of awesome Go frameworks, libraries and software
    一个重要的学习参考。
  4. moby/moby shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Moby Project - a collaborative project for the container ecosystem to assemble container-based systems
    Docker,跳过
  5. gin-gonic/gin shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Gin is a HTTP web framework written in Go (Golang). It features a Martini-like API with much better performance -- up to 40 times faster. If you need smashing performance, get yourself some Gin.
    Gin,跳过
  6. gohugoio/hugo shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The world’s fastest framework for building websites.
    Hugo,知名静态网站生成工具
  7. fatedier/frp shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A fast reverse proxy to help you expose a local server behind a NAT or firewall to the internet.
    frp, 知名网络工具
  8. syncthing/syncthing shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Open Source Continuous File Synchronization
    知名文件同步工具
  9. junegunn/fzf shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    :cherry_blossom: A command-line fuzzy finder
    fzf,知名 find 命令替代品
  10. prometheus/prometheus shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Prometheus monitoring system and time series database.
    知名监控平台
  11. caddyserver/caddy shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Fast, multi-platform web server with automatic HTTPS
    知名 HTTP 服务器
  12. astaxie/build-web-application-with-golang shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A golang ebook intro how to build a web with golang
    《Go Web 编程》
  13. gogs/gogs shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Gogs is a painless self-hosted Git service
    知名 Git 服务器
  14. etcd-io/etcd shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Distributed reliable key-value store for the most critical data of a distributed system
    知名 KV 存储服务
  15. v2ray/v2ray-core shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A platform for building proxies to bypass network restrictions.
    知名网络工具
  16. traefik/traefik shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Cloud Native Application Proxy
    知名代理服务
  17. ethereum/go-ethereum shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Official Go implementation of the Ethereum protocol
    知名区块链项目
  18. FiloSottile/mkcert shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A simple zero-config tool to make locally trusted development certificates with any names you'd like.
  19. minio/minio shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Multi-Cloud Object Storage
  20. rclone/rclone shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    "rsync for cloud storage" - Google Drive, S3, Dropbox, Backblaze B2, One Drive, Swift, Hubic, Wasabi, Google Cloud Storage, Yandex Files
  21. hashicorp/terraform shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Terraform enables you to safely and predictably create, change, and improve infrastructure. It is an open source tool that codifies APIs into declarative configuration files that can be shared amongst team members, treated as code, edited, reviewed, and versioned.
  22. wagoodman/dive shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A tool for exploring each layer in a docker image
  23. evanw/esbuild shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An extremely fast JavaScript and CSS bundler and minifier
    知名前端构建工具
  24. pingcap/tidb shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    TiDB is an open-source, cloud-native, distributed, MySQL-Compatible database for elastic scale and real-time analytics. Try free: https://tidbcloud.com/signup
    知名国产数据库
  25. istio/istio shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Connect, secure, control, and observe services.
    知名服务网格组件
  26. go-gitea/gitea shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Git with a cup of tea, painless self-hosted git service
    知名 Git 服务(gogs fork)
  27. unknwon/the-way-to-go_ZH_CN shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    《The Way to Go》中文译本,中文正式名《Go 入门指南》
  28. cli/cli shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    GitHub’s official command line tool
    GitHub 官方命令行工具
  29. go-gorm/gorm shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The fantastic ORM library for Golang, aims to be developer friendly
    知名 Go ORM 库
  30. beego/beego shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    beego is an open-source, high-performance web framework for the Go programming language.
    知名 Go web 框架
  31. jesseduffield/lazygit shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    simple terminal UI for git commands
    Git 终端界面
  32. Dreamacro/clash shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A rule-based tunnel in Go.
    网络工具
  33. spf13/cobra shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A Commander for modern Go CLI interactions
  34. docker/compose shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Define and run multi-container applications with Docker
  35. halfrost/LeetCode-Go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ✅ Solutions to LeetCode by Go, 100% test coverage, runtime beats 100% / LeetCode 题解
  36. harness/drone shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Drone is a Container-Native, Continuous Delivery Platform
    知名 CI/CD 服务
  37. hashicorp/consul shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Consul is a distributed, highly available, and data center aware solution to connect and configure applications across dynamic, distributed infrastructure.
    知名服务发现和配置管理服务
  38. cockroachdb/cockroach shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    CockroachDB - the open source, cloud-native distributed SQL database.
    数据库
  39. nektos/act shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Run your GitHub Actions locally 🚀
    开发工具:GitHub Action
  40. hashicorp/vault shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A tool for secrets management, encryption as a service, and privileged access management
    安全相关服务
  41. kubernetes/minikube shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Run Kubernetes locally
    知名 K8S 项目
  42. influxdata/influxdb shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Scalable datastore for metrics, events, and real-time analytics
    知名时序数据库
  43. go-kit/kit shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A standard library for microservices.
    微服务框架
  44. mattermost/mattermost-server shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Mattermost is an open source platform for secure collaboration across the entire software development lifecycle.
    研发团队协作工具
  45. jesseduffield/lazydocker shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The lazier way to manage everything docker
    Docker 管理工具
  46. labstack/echo shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    High performance, minimalist Go web framework
    知名 HTTP 框架
  47. kataras/iris shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The fastest HTTP/2 Go Web Framework. A true successor of expressjs and laravel. Supports AWS Lambda, gRPC, MVC, Unique Router, Websockets, Sessions, Test suite, Dependency Injection and more. Thank you / 谢谢 https://github.com/kataras/iris/issues/1329
    知名 HTTP 框架
  48. portainer/portainer shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Making Docker and Kubernetes management easy.
    知名容器管理平台
  49. helm/helm shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Kubernetes Package Manager
    知名 K8S 项目
  50. github/hub shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A command-line tool that makes git easier to use with GitHub.
  51. inconshreveable/ngrok shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Introspected tunnels to localhost
  52. openfaas/faas shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    OpenFaaS - Serverless Functions Made Simple
    知名 FaaS 项目
  53. ehang-io/nps shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    一款轻量级、高性能、功能强大的内网穿透代理服务器。支持 tcp、udp、socks5、http 等几乎所有流量转发,可用来访问内网网站、本地支付接口调试、ssh 访问、远程桌面,内网 dns 解析、内网 socks5 代理等等……,并带有功能强大的 web 管理端。a lightweight, high-performance, powerful intranet penetration proxy server, with a powerful web management terminal.
  54. nsqio/nsq shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A realtime distributed messaging platform
    知名 MQ 服务
  55. coreybutler/nvm-windows shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A node.js version management utility for Windows. Ironically written in Go.
    开发工具:前端相关
  56. photoprism/photoprism shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    AI-Powered Photos App for the Decentralized Web 🌈💎✨
    照片管理系统
  57. sirupsen/logrus shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Structured, pluggable logging for Go.
    重要的日志库
  58. yeasy/docker_practice shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Learn and understand Docker&Container technologies, with real DevOps practice!
    电子书:Docker 技术入门与实战
  59. gofiber/fiber shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ⚡️ Express inspired web framework written in Go
    知名 Web 框架
  60. k3s-io/k3s shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Lightweight Kubernetes
    知名 K8S 项目
  61. tsenart/vegeta shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    HTTP load testing tool and library. It's over 9000!
    HTTP 压测工具
  62. schollz/croc shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Easily and securely send things from one computer to another :crocodile: :package:
    工具:文件传输
  63. zyedidia/micro shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A modern and intuitive terminal-based text editor
    工具:编辑器
  64. spf13/viper shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Go configuration with fangs
    配置管理库
  65. rancher/rancher shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Complete container management platform
    知名容器管理平台
  66. tmrts/go-patterns shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Curated list of Go design patterns, recipes and idioms
    设计模式
  67. go-delve/delve shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Delve is a debugger for the Go programming language.
    调试工具
  68. urfave/cli shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A simple, fast, and fun package for building command line apps in Go
    命令行库
  69. asim/go-micro shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A Go microservices framework
    知名 Go 微服务框架
  70. dgraph-io/dgraph shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Native GraphQL Database with graph backend
    GraphQL 数据库(?)
  71. dapr/dapr shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Dapr is a portable, event-driven, runtime for building distributed applications across cloud and edge.
    知名微服务平台
  72. iawia002/lux shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    👾 Fast and simple video download library and CLI tool written in Go
    工具:视频下载
  73. go-kratos/kratos shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Your ultimate Go microservices framework for the cloud-native era.
    微服务框架
  74. zeromicro/go-zero shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A cloud-native Go microservices framework with cli tool for productivity.
    微服务框架
  75. valyala/fasthttp shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Fast HTTP package for Go. Tuned for high performance. Zero memory allocations in hot paths. Up to 10x faster than net/http
    HTTP 库
  76. quii/learn-go-with-tests shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Learn Go with test-driven development
    资料:TDD
  77. goharbor/harbor shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An open source trusted cloud native registry project that stores, signs, and scans content.
  78. gorilla/websocket shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A fast, well-tested and widely used WebSocket implementation for Go.
  79. chai2010/advanced-go-programming-book shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    :books: 《Go 语言高级编程》开源图书,涵盖 CGO、Go 汇编语言、RPC 实现、Protobuf 插件实现、Web 框架实现、分布式系统等高阶主题(完稿)
  80. restic/restic shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Fast, secure, efficient backup program
  81. fyne-io/fyne shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Cross platform GUI in Go inspired by Material Design
  82. gorilla/mux shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A powerful HTTP router and URL matcher for building Go web servers with 🦍
    知名 HTTP 路由库
  83. gocolly/colly shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Elegant Scraper and Crawler Framework for Golang
    爬虫框架
  84. yudai/gotty shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Share your terminal as a web application
    终端分享
  85. grafana/k6 shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A modern load testing tool, using Go and JavaScript - https://k6.io
    测试工具
  86. stretchr/testify shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A toolkit with common assertions and mocks that plays nicely with the standard library
  87. derailed/k9s shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    🐶 Kubernetes CLI To Manage Your Clusters In Style!
    K8S 相关
  88. joewalnes/websocketd shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Turn any program that uses STDIN/STDOUT into a WebSocket server. Like inetd, but for WebSockets.
  89. matryer/xbar shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Put the output from any script or program into your macOS Menu Bar (the BitBar reboot)
  90. grpc/grpc-go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Go language implementation of gRPC. HTTP/2 based RPC
  91. v2fly/v2ray-core shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A platform for building proxies to bypass network restrictions.
    网络工具
  92. grafana/loki shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Like Prometheus, but for logs.
    日志服务
  93. filebrowser/filebrowser shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    📂 Web File Browser
    Web 项目
  94. uber-go/zap shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Blazing fast, structured, leveled logging in Go.
    知名日志库
  95. jaegertracing/jaeger shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    CNCF Jaeger, a Distributed Tracing Platform
  96. buger/goreplay shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    GoReplay is an open-source tool for capturing and replaying live HTTP traffic into a test environment in order to continuously test your system with real data. It can be used to increase confidence in code deployments, configuration changes and infrastructure changes.
  97. helm/charts shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ⚠️(OBSOLETE) Curated applications for Kubernetes
  98. hoanhan101/ultimate-go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Ultimate Go Study Guide
  99. cloudreve/Cloudreve shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    🌩 支持多家云存储的云盘系统 (Self-hosted file management and sharing system, supports multiple storage providers)
  100. chrislusf/seaweedfs shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    SeaweedFS is a fast distributed storage system for blobs, objects, files, and data lake, for billions of files! Blob store has O(1) disk seek, cloud tiering. Filer supports Cloud Drive, cross-DC active-active replication, Kubernetes, POSIX FUSE mount, S3 API, S3 Gateway, Hadoop, WebDAV, encryption, Erasure Coding.
  101. go-redis/redis shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Type-safe Redis client for Golang
  102. antonmedv/fx shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Terminal JSON viewer
  103. cayleygraph/cayley shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An open-source graph database
  104. vitessio/vitess shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Vitess is a database clustering system for horizontal scaling of MySQL.
  105. julienschmidt/httprouter shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A high performance HTTP request router that scales well
  106. kubernetes/kops shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Kubernetes Operations (kOps) - Production Grade k8s Installation, Upgrades and Management
  107. containers/podman shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Podman: A tool for managing OCI containers and pods.
  108. hashicorp/packer shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Packer is a tool for creating identical machine images for multiple platforms from a single source configuration.
  109. docker-slim/docker-slim shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    DockerSlim (docker-slim): Don't change anything in your Docker container image and minify it by up to 30x (and for compiled languages even more) making it secure too! (free and open source)
  110. hyperledger/fabric shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Hyperledger Fabric is an enterprise-grade permissioned distributed ledger framework for developing solutions and applications. Its modular and versatile design satisfies a broad range of industry use cases. It offers a unique approach to consensus that enables performance at scale while preserving privacy.
  111. ipfs/go-ipfs shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    IPFS implementation in Go
  112. rakyll/hey shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    HTTP load generator, ApacheBench (ab) replacement
  113. wtfutil/wtf shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The personal information dashboard for your terminal
  114. greyireland/algorithm-pattern shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    算法模板,最科学的刷题方式,最快速的刷题路径,你值得拥有~
  115. google/cadvisor shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Analyzes resource usage and performance characteristics of running containers.
  116. grpc-ecosystem/grpc-gateway shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    gRPC to JSON proxy generator following the gRPC HTTP spec
  117. inancgumus/learngo shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    1000+ Hand-Crafted Go Examples, Exercises, and Quizzes
  118. authelia/authelia shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The Single Sign-On Multi-Factor portal for web apps
  119. flipped-aurora/gin-vue-admin shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    基于 vite+vue3+gin 搭建的开发基础平台(已完成 setup 语法糖版本),集成 jwt 鉴权,权限管理,动态路由,显隐可控组件,分页封装,多点登录拦截,资源权限,上传下载,代码生成器,表单生成器等开发必备功能。
  120. golang/dep shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Go dependency management tool experiment (deprecated)
  121. ahmetb/kubectx shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Faster way to switch between clusters and namespaces in kubectl
  122. txthinking/brook shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A cross-platform network tool designed for developers. 一个为开发者设计的跨平台网络工具.
  123. xtaci/kcptun shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A Stable & Secure Tunnel based on KCP with N:M multiplexing and FEC. Available for ARM, MIPS, 386 and AMD64。KCP プロトコルに基づく安全なトンネル。KCP 프로토콜을 기반으로 하는 보안 터널입니다。
  124. GoogleContainerTools/skaffold shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Easy and Repeatable Kubernetes Development
  125. bcicen/ctop shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Top-like interface for container metrics
  126. boltdb/bolt shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An embedded key/value database for Go.
  127. kubernetes/ingress-nginx shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    NGINX Ingress Controller for Kubernetes
  128. google/gvisor shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Application Kernel for Containers
  129. dutchcoders/transfer.sh shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Easy and fast file sharing from the command-line.
  130. revel/revel shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A high productivity, full-stack web framework for the Go language.
  131. ory/hydra shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    OpenID Certified™ OpenID Connect and OAuth Provider written in Go - cloud native, security-first, open source API security for your infrastructure. SDKs for any language. Works with Hardware Security Modules. Compatible with MITREid.
  132. pulumi/pulumi shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Pulumi - Universal Infrastructure as Code. Your Cloud, Your Language, Your Way 🚀
  133. charmbracelet/bubbletea shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A powerful little TUI framework 🏗
  134. CodisLabs/codis shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Proxy based Redis cluster solution supporting pipeline and scaling dynamically
  135. go-sql-driver/mysql shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Go MySQL Driver is a MySQL driver for Go's (golang) database/sql package
  136. snail007/goproxy shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    🔥 Proxy is a high performance HTTP(S) proxies, SOCKS5 proxies,WEBSOCKET, TCP, UDP proxy server implemented by golang. Now, it supports chain-style proxies,nat forwarding in different lan,TCP/UDP port forwarding, SSH forwarding.Proxy 是 golang 实现的高性能 http,https,websocket,tcp,socks5 代理服务器,支持内网穿透,链式代理,通讯加密,智能 HTTP,SOCKS5 代理,黑白名单,限速,限流量,限连接数,跨平台,KCP 支持,认证 API。
  137. aquasecurity/trivy shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Scanner for vulnerabilities in container images, file systems, and Git repositories, as well as for configuration issues and hard-coded secrets
  138. Netflix/chaosmonkey shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Chaos Monkey is a resiliency tool that helps applications tolerate random instance failures.
  139. cilium/cilium shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    eBPF-based Networking, Security, and Observability
  140. casbin/casbin shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An authorization library that supports access control models like ACL, RBAC, ABAC in Golang
  141. jmoiron/sqlx shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    general purpose extensions to golang's database/sql
  142. gravitational/teleport shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Certificate authority and access plane for SSH, Kubernetes, web apps, databases and desktops
  143. qax-os/excelize shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Go language library for reading and writing Microsoft Excel™ (XLAM / XLSM / XLSX / XLTM / XLTX) spreadsheets
  144. fogleman/primitive shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Reproducing images with geometric primitives.
  145. gizak/termui shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Golang terminal dashboard
  146. peterq/pan-light shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    百度网盘不限速客户端, golang + qt5, 跨平台图形界面
  147. AdguardTeam/AdGuardHome shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Network-wide ads & trackers blocking DNS server
  148. influxdata/telegraf shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The plugin-driven server agent for collecting & reporting metrics.
  149. emirpasic/gods shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    GoDS (Go Data Structures) - Sets, Lists, Stacks, Maps, Trees, Queues, and much more
  150. PuerkitoBio/goquery shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A little like that j-thing, only in Go.
  151. go-chi/chi shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    lightweight, idiomatic and composable router for building Go HTTP services
  152. go-martini/martini shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Classy web framework for Go
    知名 Go Web 框架
  153. golang/groupcache shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    groupcache is a caching and cache-filling library, intended as a replacement for memcached in many cases.
    知名 Go 缓存库
  154. bettercap/bettercap shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    The Swiss Army knife for 802.11, BLE, IPv4 and IPv6 networks reconnaissance and MITM attacks.
  155. getlantern/lantern shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Lantern 官方版本下载 蓝灯 翻墙 代理 科学上网 外网 加速器 梯子 路由 lantern proxy vpn censorship-circumvention censorship gfw accelerator
  156. kubernetes/dashboard shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    General-purpose web UI for Kubernetes clusters
  157. micro/micro shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    API first development platform
  158. gopherjs/gopherjs shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A compiler from Go to JavaScript for running Go code in a browser
  159. halfrost/Halfrost-Field shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ✍🏻 这里是写博客的地方 —— Halfrost-Field 冰霜之地
  160. containerd/containerd shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An open and reliable container runtime
  161. argoproj/argo-workflows shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Workflow engine for Kubernetes
  162. hashicorp/nomad shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Nomad is an easy-to-use, flexible, and performant workload orchestrator that can deploy a mix of microservice, batch, containerized, and non-containerized applications. Nomad is easy to operate and scale and has native Consul and Vault integrations.
  163. elastic/beats shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    :tropical_fish: Beats - Lightweight shippers for Elasticsearch & Logstash
  164. nats-io/nats-server shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    High-Performance server for NATS.io, the cloud and edge native messaging system.
  165. json-iterator/go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A high-performance 100% compatible drop-in replacement of "encoding/json"
  166. tomnomnom/gron shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Make JSON greppable!
  167. dgraph-io/badger shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Fast key-value DB in Go.
  168. ent/ent shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An entity framework for Go
  169. containrrr/watchtower shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A process for automating Docker container base image updates.
  170. dolthub/dolt shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Dolt – It's Git for Data
  171. talkgo/night shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Weekly Go Online Meetup via Bilibili | Go 夜读|通过 bilibili 在线直播的方式分享 Go 相关的技术话题,每天大家在微信/telegram/Slack 上及时沟通交流编程技术话题。
  172. geektutu/7days-golang shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    7 days golang programs from scratch (web framework Gee, distributed cache GeeCache, object relational mapping ORM framework GeeORM, rpc framework GeeRPC etc) 7 天用 Go 动手写/从零实现系列
  173. FiloSottile/age shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A simple, modern and secure encryption tool (and Go library) with small explicit keys, no config options, and UNIX-style composability.
  174. ardanlabs/gotraining shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Go Training Class Material :
  175. google/grumpy shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Grumpy is a Python to Go source code transcompiler and runtime.
  176. go-playground/validator shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    :100:Go Struct and Field validation, including Cross Field, Cross Struct, Map, Slice and Array diving
  177. rqlite/rqlite shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    The lightweight, distributed relational database built on SQLite
  178. milvus-io/milvus shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An open-source vector database for scalable similarity search and AI applications.
  179. GoogleContainerTools/kaniko shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Build Container Images In Kubernetes
  180. thanos-io/thanos shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Highly available Prometheus setup with long term storage capabilities. A CNCF Incubating project.
  181. dgrijalva/jwt-go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ARCHIVE - Golang implementation of JSON Web Tokens (JWT). This project is now maintained at:
  182. golangci/golangci-lint shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Fast linters Runner for Go
  183. tidwall/gjson shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Get JSON values quickly - JSON parser for Go
  184. git-lfs/git-lfs shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Git extension for versioning large files
  185. sqshq/sampler shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Tool for shell commands execution, visualization and alerting. Configured with a simple YAML file.
  186. OpenDiablo2/OpenDiablo2 shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An open source re-implementation of Diablo 2
  187. goreleaser/goreleaser shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Deliver Go binaries as fast and easily as possible
  188. mailhog/MailHog shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Web and API based SMTP testing
    SMTP 工具
  189. github/gh-ost shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    GitHub's Online Schema Migrations for MySQL

#17 Go 练手小项目

2020-12-21

开始在学习 Go 语言了,先在 GitHub 上找一批小项目用来学习。

  1. julienschmidt/httprouter shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A high performance HTTP request router that scales well
  2. golang/groupcache shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    groupcache is a caching and cache-filling library, intended as a replacement for memcached in many cases.
  3. robfig/cron shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    a cron library for go
  4. jroimartin/gocui shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Minimalist Go package aimed at creating Console User Interfaces.
  5. tylertreat/comcast shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Simulating shitty network connections so you can build better systems.
  6. pkg/errors shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Simple error handling primitives
  7. schachmat/wego shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    weather app for the terminal
  8. teh-cmc/go-internals shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    A book about the internals of the Go programming language.
  9. simeji/jid shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    json incremental digger
  10. patrickmn/go-cache shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    An in-memory key:value store/cache (similar to Memcached) library for Go, suitable for single-machine applications.
  11. wercker/stern shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ⎈ Multi pod and container log tailing for Kubernetes
  12. allegro/bigcache shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Efficient cache for gigabytes of data written in Go.
  13. microsoft/ethr shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Ethr is a Comprehensive Network Measurement Tool for TCP, UDP & ICMP.
  14. samber/lo shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    💥 A Lodash-style Go library based on Go 1.18+ Generics (map, filter, contains, find...)
  15. goproxyio/goproxy shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A global proxy for Go modules.
  16. eranyanay/1m-go-websockets shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    handling 1M websockets connections in Go
  17. fogleman/nes shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    NES emulator written in Go.
  1. inconshreveable/ngrok shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    Introspected tunnels to localhost
  2. sirupsen/logrus shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Structured, pluggable logging for Go.
  3. tmrts/go-patterns shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Curated list of Go design patterns, recipes and idioms
  4. gorilla/websocket shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A fast, well-tested and widely used WebSocket implementation for Go.
  5. gorilla/mux shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A powerful HTTP router and URL matcher for building Go web servers with 🦍
  6. julienschmidt/httprouter shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A high performance HTTP request router that scales well
  7. rakyll/hey shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    HTTP load generator, ApacheBench (ab) replacement
  8. ahmetb/kubectx shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Faster way to switch between clusters and namespaces in kubectl
  9. charmbracelet/bubbletea shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A powerful little TUI framework 🏗
  10. jmoiron/sqlx shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    general purpose extensions to golang's database/sql
  11. emirpasic/gods shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w
    GoDS (Go Data Structures) - Sets, Lists, Stacks, Maps, Trees, Queues, and much more
  12. PuerkitoBio/goquery shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A little like that j-thing, only in Go.
  13. go-martini/martini shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Classy web framework for Go
  14. golang/groupcache shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    groupcache is a caching and cache-filling library, intended as a replacement for memcached in many cases.
  15. FiloSottile/age shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    A simple, modern and secure encryption tool (and Go library) with small explicit keys, no config options, and UNIX-style composability.
  16. dgrijalva/jwt-go shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    ARCHIVE - Golang implementation of JSON Web Tokens (JWT). This project is now maintained at:
  17. tidwall/gjson shields.io:github/stars shields.io:github/languages/code-size shields.io:github/commit-activity/w shields.io:github/license
    Get JSON values quickly - JSON parser for Go