162

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

func SaySomething(i string = "Hello")(string){
...
}
4

3 回答 3

180

否,但还有一些其他选项可以实现默认值。关于这个主题有一些很好的博客文章,但这里有一些具体的例子。


**选项 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)
}
于 2014-05-14T09:13:25.547 回答
136

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

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

于 2013-10-26T22:43:44.903 回答
11

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

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

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

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

不费吹灰之力,我制作了一个做普通事情的函数,并重用了通用函数。您可以在许多库中看到这一点,fmt.Println例如,只需在fmt.Print其他情况下添加换行符。然而,当阅读某人的代码时,他们调用的函数很清楚他们打算做什么。使用默认值,如果不使用函数来引用默认值实际上是什么,我将不知道应该发生什么。

于 2017-09-14T15:08:16.217 回答