美文网首页
golang集合map

golang集合map

作者: 程序小白菜 | 来源:发表于2019-12-30 15:21 被阅读0次

    定义

    map 是一种无序的键值对的集合。map最重要的一点是通过 key 来快速检索数据,key 类似于索引,指向数据的值。map是一种集合,所以我们可以像迭代数组和切片那样迭代它。不过,map是无序的,我们无法决定它的返回顺序,这是因为 map是使用 hash 表来实现的

    map的声明

    一般定义 map 的方法是: map[<from type>]<to type>

    /* 声明变量,默认 map 是 nil */
    var map_variable map[key_data_type]value_data_type
    
        /*创建集合 */
        var countryCapitalMap map[string]string 
        countryCapitalMap = make(map[string]string)
        /* map插入key - value对,各个国家对应的首都 */
        countryCapitalMap [ "France" ] = "巴黎"
        countryCapitalMap [ "Italy" ] = "罗马"
        countryCapitalMap [ "Japan" ] = "东京"
        countryCapitalMap [ "India " ] = "新德里"
    
    /* 使用 make 函数 */
    map_variable := make(map[key_data_type]value_data_type)
    
    monthdays := map[ string] int {
        "Jan": 31, "Feb": 28, "Mar": 31,
        "Apr": 30, "May": 31, "Jun": 30,
        "Jul": 31, "Aug": 31, "Sep": 30,
        "Oct": 31, "Nov": 30, "Dec": 31, //逗号是必须的
    }
    

    delete() 函数

    delete() 函数用于删除集合的元素, 参数为 map 和其对应的 key

    package main
    
    import "fmt"
    
    func main() {
            /* 创建map */
            countryCapitalMap := map[string]string{"France": "Paris", "Italy": "Rome", "Japan": "Tokyo", "India": "New delhi"}
    
            fmt.Println("原始地图")
    
            /* 打印地图 */
            for country := range countryCapitalMap {
                    fmt.Println(country, "首都是", countryCapitalMap [ country ])
            }
    
            /*删除元素*/ 
            delete(countryCapitalMap, "France")
            fmt.Println("法国条目被删除")
    
            fmt.Println("删除元素后地图")
    
            /*打印地图*/
            for country := range countryCapitalMap {
                    fmt.Println(country, "首都是", countryCapitalMap [ country ])
            }
    }
    

    相关文章

      网友评论

          本文标题:golang集合map

          本文链接:https://www.haomeiwen.com/subject/ytrmoctx.html