golang中map增删改查的示例代码
作者:初辰ge
在Go语言中,map是一种内置的数据结构,用于存储键值对,本文主要介绍了golang中map增删改查的示例代码,具有一定的参考价值,感兴趣的可以了解一下
map 一种无序的键值对, 它是数据结构 hash 表的一种实现方式。map工作方式就是:定义键和值,并且可以获取,设置和删除其中的值。
声明
// 使用关键字 map 来声明 bMap := map[string]int{"key1": 18} // 使用make来声明 cMap := make(map[string]int) cMap["key2"] = 19 fmt.Println("bMap:", bMap) fmt.Println("cMap:", cMap)
上面程序用两种方式创建了两个 map,运行结果如下:
bMap: map[key1:18]
cMap: map[key2:19]
检索键的值
检索 Map元素的语法为map[key]
aMap := make(map[string]int) aMap["key1"] = 18 aMap["key2"] = 19 fmt.Println("aMap:", aMap) fmt.Println("aMapkey2:", aMap["key2"]) fmt.Println("aMapkey3:", aMap["key3"])
当map中不存在该key时,该映射将返回该元素类型的零值。所以以上程序输出为:
aMap: map[key1:18 key2:19]
aMapkey2: 19
aMapkey3: 0
检索键是否存在
检索键是否存在的语法为value, ok := map[key]
aMap := make(map[string]int) aMap["key1"] = 18 aMap["key2"] = 19 value, ok := aMap["key3"] if ok { fmt.Println("key3", value) } else { fmt.Println("key3", "no") }
ok
的值为map中是否存在该key,存在为true
,反之为false
。所以以上程序输出为:key3 no
遍历 Map中的所有元素
可以用for循环的range形式用于迭代 Map的所有元素。
aMap := make(map[string]int) aMap["key1"] = 18 aMap["key2"] = 19 for key, value := range aMap { fmt.Printf("aMap[%s] = %d\n", key, value) }
以上程序输出为:
aMap[key1] = 18
aMap[key2] = 19
因为 map 是无序的,因此对于程序的每次执行,不能保证使用 for range 遍历 map 的顺序总是一致的,而且遍历的顺序也不完全与元素添加的顺序一致。
从 Map中删除元素
delete(map, key)
用于删除 map 中的键。delete 函数没有返回值。
aMap := make(map[string]int) aMap["key1"] = 18 aMap["key2"] = 19 fmt.Println("map before deletion", aMap) delete(aMap, "key1") fmt.Println("map after deletion", aMap)
以上程序输出为:
map before deletion map[key1:18 key2:19]
map after deletion map[key2:19]
到此这篇关于golang中map增删改查的示例代码的文章就介绍到这了,更多相关golang map增删改查内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!