77.Go中interface{}判nil的正确姿势

2024-01-28 15:20
文章标签 go 正确 nil interface 姿势 77

本文主要是介绍77.Go中interface{}判nil的正确姿势,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

文章目录

  • 一:interface{}简介
  • 二、interface{}判空
  • 三:注意点
  • 四:实际案例

一:interface{}简介

go中的nil只能赋值给指针、channel、func、interface、map或slice类型的变量

interface 是否根据是否包含有 method,底层实现上用两种 struct 来表示:iface 和 eface

  • eface:表示不含 methodinterface 结构,或者叫 empty interface。对于 Golang 中的大部分数据类型都可以抽象出来 _type 结构,同时针对不同的类型还会有一些其他信息。

  • iface: 表示 non-empty interface 的底层实现。相比于 empty interfacenon-empty 要包含一些 methodmethod 的具体实现存放在 itab.fun 变量里。

定义在 src/runtime/runtime2.go

type iface struct {tab  *itabdata unsafe.Pointer
}type eface struct {_type *_typedata  unsafe.Pointer
}

上述就是两种 interface 的定义。然后我们再看 iface中的 itab 结构:(被定义在 src/runtime/runtime2.go 中)

type itab struct {inter *interfacetype	//  接口的类型_type *_type			//	实际对象类型// ... 还有一些其他字段
}type _type struct {size       uintptr    // 大小信息.......hash       uint32     // 类型信息tflag      tflag        align      uint8      // 对齐信息.......
}

不管是iface还是eface,我们可以明确的是interface包含有一个字段_type *_type表示类型,有一个字段data unsafe.Pointer指向了这个interface代表的具体数据。

二、interface{}判空

只有内部类型都为nil,总的interface才是空的。

var inter interface{} = nil
if inter==nil{fmt.Println("empty")
}else{fmt.Println("not empty")
}

结果为 empty

niluntyped类型,赋值给interface{},则typevalue都是nil,比较的结果是true

其他有类型的赋值给interface{},结果是false`,例如

var inter interface{} = (*int)(nil)if inter==nil{fmt.Println("empty")}else{fmt.Println("not empty")}  

结果为 not empty

interface{}判空的方法是使用反射的方式进行判断

var inter interface{} = (*int)(nil)if IsNil(inter){fmt.Println("empty")}else{fmt.Println("not empty")}func IsNil(i interface{}) bool {vi := reflect.ValueOf(i)if vi.Kind() == reflect.Ptr {return vi.IsNil()}return false
}

结果为 empty

三:注意点

  • 即使接口持有的值为 nil,也不意味着接口本身为 nil
  • 在执行以下语句的时候,是有可能报panic的:
 var x intreflect.ValueOf(x).IsNil()

而输出也是非常明显的指出错误:

panic: reflect: call of reflect.Value.IsNil on int Value

因为不可赋值 nil interface 是不能使用 reflect.Value.IsNil 方法的。

那么问题就很好解决了。

解决方式
我们在执行reflect.Value.IsNil方法之前,进行一次判断是否为指针即可:

func IsNil(x interface{}) bool {if x == nil {return true}rv := reflect.ValueOf(x)return rv.Kind() == reflect.Ptr && rv.IsNil()
}

重点在于rv.Kind() == reflect.Ptr && rv.IsNil()这段代码。

这段代码的作用:

  • 判断 x 的类型是否为指针。
  • 判断 x 的值是否真的为 nil

下面我们使用几种常见的数据类型来进行测试:

func IsNil(x interface{}) bool {if x == nil {return true}rv := reflect.ValueOf(x)return rv.Kind() == reflect.Ptr && rv.IsNil()
}func main() {fmt.Printf("int IsNil: %t\n", IsNil(returnInt()))  // int IsNil: falsefmt.Printf("intPtr IsNil: %t\n", IsNil(returnIntPtr())) // intPtr IsNil: truefmt.Printf("slice IsNil: %t\n", IsNil(returnSlice())) // slice IsNil: falsefmt.Printf("map IsNil: %t\n", IsNil(returnMap())) // map IsNil: falsefmt.Printf("interface IsNil: %t\n", IsNil(returnInterface())) // interface IsNil: truefmt.Printf("structPtr IsNil: %t\n", IsNil(returnStructPtr()))  // structPtr IsNil: true
}func returnInt() interface{} {var value intreturn value
}func returnIntPtr() interface{} {var value *intreturn value
}func returnSlice() interface{} {var value []stringreturn value
}func returnMap() interface{} {var value map[string]struct{}return value
}func returnInterface() interface{} {var value interface{}return value
}type People struct {Name string
}func returnStructPtr() interface{} {var value *Peoplereturn value
}

我们先后使用了 int、*int、slice、map、interface{}、自定义结构体 来测试此IsNil方法。运行程序输出为:

int IsNil: false
intPtr IsNil: true
slice IsNil: false
map IsNil: false
interface IsNil: true
structPtr IsNil: true

从测试结果来看,目前是符合我们对此方法的定位的。

四:实际案例

工作中实际的场景,一般是因为面向接口编程,可能经过了很长的链路处理,在某个节点返回了一个空的结构体,如下

某个环节有一个A方法可能会返回一个nil*People

type People struct {Name string
}func A() *People {// ... 一些逻辑return nil
}

在调用方可能是用interface{}接收的,然后判断是否为空,用的==,发现不为nil ,后续使用该变量就会报空指针异常了

p := A()func B(people interface{}){if people != nil {fmt.Println(people.Name)}
}

如上代码便会抛panic,因为p赋值给了interface{},尽管pnil,但是people并不是nil,因为_type不是空,但是使用people.Name会报空指针异常panic,因为data是空的。正确的做法应该是如下形式

p := A()func B(people interface{}){if !IsNil(people) {fmt.Println(people.Name)}
}func IsNil(x interface{}) bool {if x == nil {return true}rv := reflect.ValueOf(x)return rv.Kind() == reflect.Ptr && rv.IsNil()
}

这篇关于77.Go中interface{}判nil的正确姿势的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/654024

相关文章

【测试】输入正确用户名和密码,点击登录没有响应的可能性原因

目录 一、前端问题 1. 界面交互问题 2. 输入数据校验问题 二、网络问题 1. 网络连接中断 2. 代理设置问题 三、后端问题 1. 服务器故障 2. 数据库问题 3. 权限问题: 四、其他问题 1. 缓存问题 2. 第三方服务问题 3. 配置问题 一、前端问题 1. 界面交互问题 登录按钮的点击事件未正确绑定,导致点击后无法触发登录操作。 页面可能存在

Go Playground 在线编程环境

For all examples in this and the next chapter, we will use Go Playground. Go Playground represents a web service that can run programs written in Go. It can be opened in a web browser using the follow

go基础知识归纳总结

无缓冲的 channel 和有缓冲的 channel 的区别? 在 Go 语言中,channel 是用来在 goroutines 之间传递数据的主要机制。它们有两种类型:无缓冲的 channel 和有缓冲的 channel。 无缓冲的 channel 行为:无缓冲的 channel 是一种同步的通信方式,发送和接收必须同时发生。如果一个 goroutine 试图通过无缓冲 channel

如何确定 Go 语言中 HTTP 连接池的最佳参数?

确定 Go 语言中 HTTP 连接池的最佳参数可以通过以下几种方式: 一、分析应用场景和需求 并发请求量: 确定应用程序在特定时间段内可能同时发起的 HTTP 请求数量。如果并发请求量很高,需要设置较大的连接池参数以满足需求。例如,对于一个高并发的 Web 服务,可能同时有数百个请求在处理,此时需要较大的连接池大小。可以通过压力测试工具模拟高并发场景,观察系统在不同并发请求下的性能表现,从而

【Go】go连接clickhouse使用TCP协议

离开你是傻是对是错 是看破是软弱 这结果是爱是恨或者是什么 如果是种解脱 怎么会还有眷恋在我心窝 那么爱你为什么                      🎵 黄品源/莫文蔚《那么爱你为什么》 package mainimport ("context""fmt""log""time""github.com/ClickHouse/clickhouse-go/v2")func main(

Go Select的实现

select语法总结 select对应的每个case如果有已经准备好的case 则进行chan读写操作;若没有则执行defualt语句;若都没有则阻塞当前goroutine,直到某个chan准备好可读或可写,完成对应的case后退出。 Select的内存布局 了解chanel的实现后对select的语法有个疑问,select如何实现多路复用的,为什么没有在第一个channel操作时阻塞 从而导

Go Channel的实现

channel作为goroutine间通信和同步的重要途径,是Go runtime层实现CSP并发模型重要的成员。在不理解底层实现时,经常在使用中对channe相关语法的表现感到疑惑,尤其是select case的行为。因此在了解channel的应用前先看一眼channel的实现。 Channel内存布局 channel是go的内置类型,它可以被存储到变量中,可以作为函数的参数或返回值,它在r

Go 数组赋值问题

package mainimport "fmt"type Student struct {Name stringAge int}func main() {data := make(map[string]*Student)list := []Student{{Name:"a",Age:1},{Name:"b",Age:2},{Name:"c",Age:3},}// 错误 都指向了最后一个v// a

Go组合

摘要 golang并非完全面向对象的程序语言,为了实现面向对象的继承这一神奇的功能,golang允许struct间使用匿名引入的方式实现对象属性方法的组合 组合使用注意项 使用匿名引入的方式来组合其他struct 默认优先调用外层方法 可以指定匿名struct以调用内层方法 代码 package mainimport ("fmt")type People struct{}type Pe

Go语言构建单链表

package mainimport "fmt"type ListNode struct {Val intNext *ListNode}func main() {list := []int{2,4,3}head := &ListNode{Val:list[0]}tail := head //需要头尾两个指针for i:=1;i<len(list);i++ {//方法一 数组直接构建链表tai