Python字典的处理

作者: 乾九二 | 来源:发表于2016-08-03 11:01 被阅读189次

    字典的基本操作


    键必须是唯一的,但值则不必,所以dict的键可以是:

    • 字符串
    • 数字
    • 元组

    列表是可变的,所以不能最为键使用!

    定义

    a = dict(one=1, two=2, three=3)
    b = {'one': 1, 'two': 2, 'three': 3}
    c = dict(zip(['one', 'two', 'three'], [1, 2, 3]))
    d = dict([('two', 2), ('one', 1), ('three', 3)])
    e = dict({'three': 3, 'one': 1, 'two': 2})
    a == b == c == d == e  == {"one": 1, "two": 2, "three": 3}
    # True
    

    访问

    dt = {"one": 1, "two": 2, "three": 3}
    print dt["one"]       # 1
    print dt.get('one')   # 1
    print dt.get('four')  # None
    print dt[1]           # 直接访问字典中没有的元素会报 KeyError 错误
    # Traceback (most recent call last):
    #    File "<stdin>", line 1, in <module>
    # KeyError: 1
    

    修改

    dt = {"one": 1, "two": 2, "three": 3}
    dt['one'] = 100    # 修改值
    dt['four'] = 4     # 添加新值
    print dt   # {'four': 4, 'three': 3, 'two': 2, 'one': 100}
    

    删除

    dt = {"one": 1, "two": 2, "three": 3}
    del dt['one'] # 删除词典中的某一条目
    print dt    # {"two": 2, "three": 3}
    dt.clear()  # 清空词典
    print dt    # { }
    del dt      # 删除 词典
    

    常用函数

    基本函数

    cmp(dt1, dt2)     # dt1 == dt2 : 返回0;dt1 > dt2 : 返回 1;dt1 < dt2 : 返回 -1
    len(dt)          # dt 中包含多少键值对
    str(dt)    # 将 dt 转换为 字符串
    type(dt)   # 取变量的类型,这里取出来应该是 == dict
    

    其他函数

    dict1 = dict2.copy()    # copy dict2,修改 dict1 和 dict2 没有关系!
    
    # dict.fromkeys(seq[, value]))     # 以序列seq中元素做字典的键,value为字典所有键对应的初始值
    seq = ('name', 'age', 'sex')
    dict = dict.fromkeys(seq)
    print "New Dictionary : %s" %  str(dict)   # New Dictionary : {'age': None, 'name': None, 'sex': None}
    dict = dict.fromkeys(seq, 10)
    print "New Dictionary : %s" %  str(dict)   # New Dictionary : {'age': 10, 'name': 10, 'sex': 10}
    
    # dict.get(key, default=None)   # 返回指定键的值,如果值不在字典中返回默认值
    dict = {'Name': 'Zara', 'Age': 27}
    print "Value : %s" %  dict.get('Age')           # Value : 27
    print "Value : %s" %  dict.get('Sex', "Never")  # Value : Never
    
    # dict.has_key(key)       # 判断键是否存在于字典中,如果键在字典dict里返回true,否则返回false
    print "Value : %s" %  dict.has_key('Age')  # Value : True
    print "Value : %s" %  dict.has_key('Sex')  # Value : False
    
    # dict.items()      # 以列表返回可遍历的(键, 值) 元组数组
    for key, val in dict.items():
        print key, val
    #  Name Zara
    #  Age 27
    
    # dict.keys()      # 以列表返回一个字典所有的键
    # dict.values()    # 以列表返回字典中的所有值
    # dict.setdefault(key, default=None)    # 和get()方法类似, 如果键不已经存在于字典中,将会添加键并将值设为默认值
    # dict.update(dict2)     #  把字典dict2的键/值对更新到dict里
    dict = {'Name': 'Zara', 'Age': 7}
    dict2 = {'Sex': 'female' }
    dict.update(dict2)
    print "Value : %s" %  dict
    # Value : {'Age': 7, 'Name': 'Zara', 'Sex': 'female'}
    

    相关文章

      网友评论

        本文标题:Python字典的处理

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