📜  如何在 Golang 中检查指针或接口是否为零?

📅  最后修改于: 2021-10-25 02:20:05             🧑  作者: Mango

在 Golang 中,经常会在 GoLang 代码中看到 nil 检查,尤其是错误检查。在大多数情况下, nil检查是直接的,但在接口情况下,它有点不同,需要特别小心。

这里的任务是在Golang中检查指针或接口是否为nil,您可以通过以下方式进行检查:

示例1:在这个示例中,检查指针是否为nil 指针。

// Go program to illustrate how to
// check pointer is nil or not
  
package main
  
import (
    "fmt"
)
  
type Temp struct {
}
  
func main() {
    var pnt *Temp // pointer
    var x = "123"
    var pnt1 *string = &x
  
    fmt.Printf("pnt is a nil pointer: %v\n", pnt == nil)
    fmt.Printf("pnt1 is a nil pointer: %v\n", pnt1 == nil)
}

输出:

pnt is a nil pointer: true
pnt1 is a nil pointer: false

例2:本例中检查接口是否为nil接口。

// Go program to illustrate how to
// check interface is nil or not
  
package main
  
import (
    "fmt"
)
  
// Creating an interface
type tank interface {
  
    // Methods
    Tarea() float64
    Volume() float64
}
  
type myvalue struct {
    radius float64
    height float64
}
  
// Implementing methods of
// the tank interface
func (m myvalue) Tarea() float64 {
  
    return 2*m.radius*m.height +
        2*3.14*m.radius*m.radius
}
  
func (m myvalue) Volume() float64 {
  
    return 3.14 * m.radius * m.radius * m.height
}
  
func main() {
  
    var t tank
    fmt.Printf("t is a nil interface: %v\n", t == nil)
  
    t = myvalue{10, 14}
  
    fmt.Printf("t is a nil interface: %v\n", t == nil)
  
}

输出:

t is a nil interface: true
t is a nil interface: false

例3:在本例中,检查持有nil 指针的接口是否为nil 接口。

// Go program to illustrate how to
// check interface holding a nil
// pointer is nil or not
  
package main
  
import (
    "fmt"
)
  
type Temp struct {
}
  
func main() {
  
    // taking a pointer
    var val *Temp
  
    // taking a interface
    var val2 interface{}
  
    // val2 is a non-nil interface
    // holding a nil pointer (val)
    val2 = val
  
    fmt.Printf("val2 is a nil interface: %v\n", val2 == nil)
  
    fmt.Printf("val2 is a interface holding a nil"+
            " pointer: %v\n", val2 == (*Temp)(nil))
}

输出:

val2 is a nil interface: false
val2 is a interface holding a nil pointer: true