这篇文章主要讲解了“Golang中的nil和零值怎么声明”,文中的讲解内容简单清晰,易于学习与理解,下面请大家跟着小编的思路慢慢深入,一起来研究和学习“Golang中的nil和零值怎么声明”吧!

非空和空类型

nil-panic

非空基本类型

在go中,基本类型不可为空。像这样的声明

var a int = nil
intint
var a int // int类型的默认值不能为nil
fmt.Println(a) // 0
int0
int
Types Zero value
int, int8, int16, int32, int64 0
uint, uint8, uint16, uint32, uint64 0
uintptr 0
float32, float64 0.0
byte 0
rune 0
string "” (empty string)
complex64, complex128 (0,0i)
arrays of non-nillable types array of zero-values
arrays of nillable types array of nil-values

Non-nillable structs

struct

设定一个 Person 结构体的代码,

type Person struct {
    Name string
    Age  int
}
var p Person // person 类型的默认 0 值

fmt.Printf("[%#v]\n", p)
[main.Person{Name:"", Age:0}]

nillable 类型

还有一种更高级到 nillable 类型,如果对应的类型未初始化,将会报错,触发 panic 。

这些可以为 nillabel 类型的 函数,通道,切片,map,接口以及指针.

但是,nil-slice 和nil-maps 仍然可以使用,在我们开始使用它们之前不必进行初始化。

nil-maps

如果 map 的值为 nil,map 将始终返回值的零值,与返回不存在 map 中的 Key 的结果一样。代码

var p map[int]string // nil map
fmt.Printf(" %#v  length %d \n",  p[99], len(p))
"" length 0string

将值分配给 nil-map, 会引起死机状况的出现:

var p map[string]int    // nil map 
p["nils"] = 19 // panic: 对nil-map中的条目赋值

nil-slices

len()cap()0
var p []string // nil slice
fmt.Printf("uninitialized -> %d, %d\n",  len(p), cap(p))
p1 := append(p, "nils") // 从P创建一个新的切片p1
fmt.Printf("after append  -> %d, %d %#v\n",  len(p1), cap(p1), p1)

会打印:

uninitialized -> 0, 0
after append  -> 1, 1 []string{"nils"}

在 Go Playground 上试验。

可为 nil 值的指针、函数和接口类型会引起 panic

Pointers and interface-types are however nillable. Whenever dealing with these types, we have to consider if they are nil or not to avoid panics. These code-snippets for instance, will cause a panic:

指针和接口类型是可为 nil 值的。每当处理这些类型时,我们都必须考虑它们是否为零,以免出现 Panic。例如,这些代码片段将引起 Panic:

var p *int // 指向 int 的指针
*p++ // panic: runtime error: invalid memory address or nil pointer dereference
//  p是无内容的地址,因此为nil

var p error // 类型 error 的 nil 值
error.Error() // panic: runtime error: invalid memory address or nil pointer dereference

var f func(string) // nil 函数
f("oh oh") // panic: runtime error: invalid memory address or nil pointer dereference

nil channel 永远阻塞

尝试从 nil 通道读取或写入 nil 通道将永远受阻。关闭nil通道会引起  Panic 。

感谢各位的阅读,以上就是“Golang中的nil和零值怎么声明”的内容了,经过本文的学习后,相信大家对Golang中的nil和零值怎么声明这一问题有了更深刻的体会,具体使用情况还需要大家实践验证。这里是***,小编将为大家推送更多相关知识点的文章,欢迎关注!