在方法或构造函数级别进行 Nil 处理?
Nil handling at method or constructor level?
我应该在构造函数中检查 nil 值然后设置一个未导出的结构字段,还是通过在方法级别检查 nil 使默认结构值有用?
type Foo struct{}
func (f *Foo) Baz() {}
var DefaultFoo = new(Foo)
type Bar struct {
Foo *Foo
}
func (b *Bar) Baz() {
if b.Foo == nil {
DefaultFoo.Baz()
} else {
b.Foo.Baz()
}
}
或
type Foo struct{}
func (f *Foo) Baz() {}
var DefaultFoo = new(Foo)
type Bar struct {
foo *Foo
}
func NewBar(foo *Foo) *Bar {
if foo == nil {
foo = DefaultFoo
}
return &Bar{foo}
}
func (b *Bar) Baz() {
b.foo.Baz()
}
我认为没有 "right" 答案。
话虽如此,在 Go 基础库中通常看到的方法是让对象在没有任何构造函数的情况下创建,在其字段中具有 nil
或 zero
值,然后创建方法有使用逻辑或 return 有用的默认值。
看看 http.Client
的实现,例如:
https://github.com/golang/go/blob/master/src/net/http/client.go
它基本上可以让您通过以下操作创建一个新客户端:
client := &http.Client{}
如果您想覆盖默认值,您可以填充对象的字段,否则它会在不同的方法中检查 nil
以提供默认行为,例如:
https://github.com/golang/go/blob/master/src/net/http/client.go#L195
func (c *Client) transport() RoundTripper {
if c.Transport != nil {
return c.Transport
}
return DefaultTransport
}
我应该在构造函数中检查 nil 值然后设置一个未导出的结构字段,还是通过在方法级别检查 nil 使默认结构值有用?
type Foo struct{}
func (f *Foo) Baz() {}
var DefaultFoo = new(Foo)
type Bar struct {
Foo *Foo
}
func (b *Bar) Baz() {
if b.Foo == nil {
DefaultFoo.Baz()
} else {
b.Foo.Baz()
}
}
或
type Foo struct{}
func (f *Foo) Baz() {}
var DefaultFoo = new(Foo)
type Bar struct {
foo *Foo
}
func NewBar(foo *Foo) *Bar {
if foo == nil {
foo = DefaultFoo
}
return &Bar{foo}
}
func (b *Bar) Baz() {
b.foo.Baz()
}
我认为没有 "right" 答案。
话虽如此,在 Go 基础库中通常看到的方法是让对象在没有任何构造函数的情况下创建,在其字段中具有 nil
或 zero
值,然后创建方法有使用逻辑或 return 有用的默认值。
看看 http.Client
的实现,例如:
https://github.com/golang/go/blob/master/src/net/http/client.go
它基本上可以让您通过以下操作创建一个新客户端:
client := &http.Client{}
如果您想覆盖默认值,您可以填充对象的字段,否则它会在不同的方法中检查 nil
以提供默认行为,例如:
https://github.com/golang/go/blob/master/src/net/http/client.go#L195
func (c *Client) transport() RoundTripper {
if c.Transport != nil {
return c.Transport
}
return DefaultTransport
}