Go的方法中的默认值

有没有办法在Go的函数中指定默认值?我试图在文档中找到这一点,但我找不到任何说明这是可能的。

func SaySomething(i string = "Hello")(string){
...
}
196986 次浏览

不,谷歌的当权者选择不支持这一点。

https://groups.google.com/forum/#!topic/golang-nuts/-5mcaivw0qq.

没有,但有一些其他选项来实现默认值。在这个问题上有一些好的博客文章,但这里有一些具体的例子。

选项1:调用者选择使用默认值

// Both parameters are optional, use empty string for default value
func Concat1(a string, b int) string {
if a == "" {
a = "default-a"
}
if b == 0 {
b = 5
}


return fmt.Sprintf("%s%d", a, b)
}

选项2:末尾有一个可选参数

// a is required, b is optional.
// Only the first value in b_optional will be used.
func Concat2(a string, b_optional ...int) string {
b := 5
if len(b_optional) > 0 {
b = b_optional[0]
}


return fmt.Sprintf("%s%d", a, b)
}

选项3:配置结构

// A declarative default value syntax
// Empty values will be replaced with defaults
type Parameters struct {
A string `default:"default-a"` // this only works with strings
B string // default is 5
}


func Concat3(prm Parameters) string {
typ := reflect.TypeOf(prm)


if prm.A == "" {
f, _ := typ.FieldByName("A")
prm.A = f.Tag.Get("default")
}


if prm.B == 0 {
prm.B = 5
}


return fmt.Sprintf("%s%d", prm.A, prm.B)
}

选项4:完整可变参数解析(JavaScript样式)

func Concat4(args ...interface{}) string {
a := "default-a"
b := 5


for _, arg := range args {
switch t := arg.(type) {
case string:
a = t
case int:
b = t
default:
panic("Unknown argument")
}
}


return fmt.Sprintf("%s%d", a, b)
}

否,无法指定默认值。我相信这样做的目的是为了提高可读性,代价是作者多花一点时间(希望是思考)。

我认为拥有“默认值”的正确方法是拥有一个新的函数,该函数将默认值提供给更通用的函数。有了这个,你的代码就会更清楚你的意图。例如:

func SaySomething(say string) {
// All the complicated bits involved in saying something
}


func SayHello() {
SaySomething("Hello")
}

通过很少的努力,我创建了一个做普通事情的函数,并重用了通用函数。您可以在许多库中看到这一点,例如,fmt.Println只是向fmt.Print添加一个换行符。然而,当阅读某人的代码时,通过他们调用的函数,他们打算做什么是很清楚的。有了默认值,如果不去函数引用默认值,我就不知道应该发生什么。