我有一个结构,我想用一些合理的默认值初始化它。

通常,这里要做的事情是使用构造函数,但由于go不是传统意义上的真正面向对象,所以它们不是真正的对象,而且它没有构造函数。

我注意到了init方法,但那是在包级别。是否有其他类似的东西可以在结构层使用?

如果不是,那么在围棋中这类事情的公认最佳实践是什么?


当前回答

Go有对象。对象可以有构造函数(尽管不是自动构造函数)。最后,Go是一种面向对象语言(数据类型有附加的方法,但不可否认,关于什么是面向对象有无数的定义)。

然而,公认的最佳实践是为类型编写零个或多个构造函数。

因为@dystroy在我完成这个答案之前发布了他的答案,让我添加一个他的示例构造函数的替代版本,我可能会写成:

func NewThing(someParameter string) *Thing {
    return &Thing{someParameter, 33} // <- 33: a very sensible default value
}

我想向您展示这个版本的原因是,通常可以使用“内联”字面量来代替“构造函数”调用。

a := NewThing("foo")
b := &Thing{"foo", 33}

现在*a == *b。

其他回答

我喜欢这篇博文中的解释:

函数New是用于为应用程序开发人员创建核心类型或不同类型的包的Go约定。看看New是如何在log中定义和实现的。去,bufio。Go和cypto.go:

log.go

// New creates a new Logger. The out variable sets the
// destination to which log data will be written.
// The prefix appears at the beginning of each generated log line.
// The flag argument defines the logging properties.
func New(out io.Writer, prefix string, flag int) * Logger {
    return &Logger{out: out, prefix: prefix, flag: flag}
}

bufio.go

// NewReader returns a new Reader whose buffer has the default size.
func NewReader(rd io.Reader) * Reader {
    return NewReaderSize(rd, defaultBufSize)
}

crypto.go

// New returns a new hash.Hash calculating the given hash function. New panics
// if the hash function is not linked into the binary.
func (h Hash) New() hash.Hash {
    if h > 0 && h < maxHash {
        f := hashes[h]
        if f != nil {
            return f()
        }
    }
    panic("crypto: requested hash function is unavailable")
}

由于每个包都充当一个名称空间,因此每个包都可以有自己的New版本。在bufio。go可以创建多种类型,因此没有独立的New函数。在这里你会发现NewReader和NewWriter这样的功能。

如果你想强制使用工厂函数,命名你的结构(你的类)用小写的第一个字符。然后,它将不可能直接实例化结构,将需要工厂方法。

这种基于首字母大小写的可见性也适用于结构字段和函数/方法。如果您不想允许外部访问,请使用小写。

在Go中,构造函数可以使用返回已修改结构的指针的函数来实现。

type Colors struct {
    R   byte
    G   byte
    B   byte
}

// Constructor
func NewColors (r, g, b byte) *Colors {
    return &Color{R:r, G:g, B:b}
}

对于弱依赖和更好的抽象,构造函数不返回指向结构的指针,而是返回该结构实现的接口。

type Painter interface {
    paintMethod1() byte
    paintMethod2(byte) byte
}

type Colors struct {
    R byte
    G byte
    B byte
}

// Constructor return intreface
func NewColors(r, g, b byte) Painter {
    return &Color{R: r, G: g, B: b}
}

func (c *Colors) paintMethod1() byte {
    return c.R
}

func (c *Colors) paintMethod2(b byte) byte {
    return c.B = b
}

另一种方法是;

package person

type Person struct {
    Name string
    Old  int
}

func New(name string, old int) *Person {
    // set only specific field value with field key
    return &Person{
        Name: name,
    }
}

我是新来的。我有一个模式从其他语言,有构造函数。并将继续工作。

创建一个init方法。 使init方法成为一个(对象)例程。它只在第一次被调用时运行(每个对象)。

func (d *my_struct) Init (){
    //once
    if !d.is_inited {
        d.is_inited = true
        d.value1 = 7
        d.value2 = 6
    }
}

在该类的每个方法的顶部调用init。

当您需要后期初始化(构造函数太早)时,这种模式也很有用。

优点:它将所有的复杂性隐藏在类中,客户端不需要做任何事情。

缺点:你必须记住在类的每个方法的顶部调用Init。