Go语言中的nil远比java中的null要难以理解和掌握。
1.普通的 struct(非指针类型)的对象不能赋值为 nil,也不能和 nil 进行判等(==),即如下代码,不能判断 *s == nil(编译错误),也不能写:var s Student = nil。
s := new(Student) //使用new创建一个 *Student 类型对象
fmt.Println("s == nil", s == nil) //false
//fmt.Println(*s == nil) //编译错误:cannot convert nil to type Student
fmt.Printf("%T\n", s) //*test.Student
fmt.Printf("%T\n", *s) //test.Student<pre name="code" class="plain">
type Student struct{}
func (s *Student) speak() {
fmt.Println("I am a student.")
type IStudent interface {
speak()
但是struct的指针对象可以赋值为 nil 或与 nil 进行判等。不过即使 *Student 类型的s3 == nil,依然可以输出s3的类型:*Student
//var s3 Student = nil //编译错误:cannot use nil as type Student in assignment
var s3 *Student = nil
fmt.Println("s3 == nil", s3 == nil) //true
fmt.Printf("%T\n", s3) //*test.Student
2.接口对象和接口对象的指针都可以赋值为 nil ,或者与 nil 判等(==)。此处所说的接口可以是 interface{},也可以是自定义接口如上述代码中 IStudent. 使用 new 创建一个 *interface{} 类型的s2之后,该指针对象s2 !=nil ,但是该指针对象所指向的内容 *s2 == nil
s2 := new(interface{})
fmt.Println("s2 == nil", s2 == nil) //false
fmt.Println("*s2 == nil", *s2 == nil) //true
fmt.Printf("%T\n", s2) //*interface {}
fmt.Printf("%T\n", *s2) //<nil>
自定义的接口类似,如下。此时 s4 != nil,但 *s4 == nil ,因此调用 s4.speak()方法时会出现编译错误。
var s4 *IStudent = new(IStudent)
fmt.Println("s4 == nil", s4 == nil) //false
fmt.Println("*s4 == nil", *s4 == nil) //true
//s4.speak() //编译错误:s4.speak undefined (type *IStudent has no field or method speak)
3.将一个指针对象赋值为 nil ,然后将该指针对象赋值给一个接口(当然,该指针类型必须实现了这个接口),此时该接口对象将不为 nil .
var s5 *Student = nil
var s5i IStudent = s5
fmt.Println("s5 == nil", s5 == nil) //true
fmt.Println("s5i == nil", s5i == nil) //false
为什么一个 nil 会如此复杂?还希望和大神一起沟通讨论一下~
http.ListenAndServe("0.0.0.0:8000", nil)
//curl -is "http://localhost:8000/?foo=1&bar=2"
//curl -is -X POST -d "POSTbody" htt
APP打开
在刚刚开始使用golang写代码的时候,经常会放错。给一个变量放回一个nil,这个通常编译的时候不会报错,但是运行是时候会报cannot use nil as type string in return argument的错误,对于nil,一般通常指针类型和interface类型可以使用这样的返回值
func Get(m map[int]string, id int) (string, bool
APP打开
<div class="post-text" itemprop="text">
<p>I make a function that return error, even that function not error. How i make return nil if my function not error</p>
<pre><code>func Serve() error {
error = nil
return error
</code></pre>
<p>something like that</p>
APP打开
字符串的零值为:""
而指针,函数,interface,slice,channel,map的零值均为nil
Go文档中说明:nil是预定义的标识符,代表指针,通道,函数,接口,映射或者切片的零值,并并不是Go的关键字之一。
还有,nil只能赋值为以上的几个类型,若赋值给基础类型,则会引...
APP打开
按照Go语言规范,任何类型在未初始化时都对应一个零值:布尔类型是false,整型是0,字符串是"",而指针,函数,interface,slice,channel和map的零值都是nil。很重要:指针为空是nil,但nil不是空指针。下面说一说哦不同类型的nil的用法和坑1、指针指针对象的方法来说,就算指针的值为nil也是可以调用type Student struct {}
func (s *St...
APP打开