在 Go 中命名标签的标准做法是什么?

What's the standard practice for naming labels in Go?

Go spec and Effective Go gives guidelines for naming packages, types, functions, and variables. There's also a blog post 讨论包名。但是 none 的文章似乎在谈论用于 gotobreakcontinue 的标签的命名约定。

我认为最好的做法是完全避免使用标签,但是 Go 中这些控制流标签的标准约定是什么?

请注意,此问题不是要求命名建议。我只是想知道 Google 提供了哪些指南或他们如何实际使用它会很好。

根据 Go 标准库和内部包的源代码,它们倾向于以与通常命名变量相同的方式命名标签。

因此标签可以包含大写字符或 lower-case 字符的任意组合,只要您不使用下划线书写任何内容即可。

https://golang.org/doc/effective_go.html#mixed-caps

MixedCaps

Finally, the convention in Go is to use MixedCaps or mixedCaps rather than underscores to write multiword names.

一些示例:

https://golang.org/src/cmd/internal/obj/x86/pcrelative_test.go#L102

continue LOOP

https://golang.org/src/compress/lzw/reader.go#L198

break loop

https://golang.org/src/compress/flate/deflate.go#L402

break Loop

https://golang.org/src/debug/gosym/symtab.go#L429

break countloop

https://golang.org/src/encoding/csv/reader.go#L308

break parseField

https://golang.org/src/crypto/dsa/dsa.go#L128

break GeneratePrimes

https://golang.org/src/go/types/testdata/labels.src

func f3() {
L1:
L2:
L3:
    for {
        break L1 /* ERROR "invalid break label L1" */
        break L2 /* ERROR "invalid break label L2" */
        break L3
        continue L1 /* ERROR "invalid continue label L1" */
        continue L2 /* ERROR "invalid continue label L2" */
        continue L3
        goto L1
        goto L2
        goto L3
    }
}

Go language spec 中的所有样本片段都写在 CamelCase 中的所有标签。 Loop 这个词在规范和实现中通常缩写为 L

https://golang.org/ref/spec#Break_statements

OuterLoop:
    for i = 0; i < n; i++ {
        for j = 0; j < m; j++ {
            switch a[i][j] {
            case nil:
                state = Error
                break OuterLoop
            case item:
                state = Found
                break OuterLoop
            }
        }
    }

https://golang.org/ref/spec#Continue_statements

RowLoop:
    for y, row := range rows {
        for x, data := range row {
            if data == endOfRow {
                continue RowLoop
            }
            row[x] = data + bias(x, y)
        }
    }

https://golang.org/ref/spec#Goto_statements

goto Error
    goto L  // BAD
    v := 3
L:
if n%2 == 1 {
    goto L1
}
for n > 0 {
    f()
    n--
L1:
    f()
    n--
}