python处理数据时,字典的应用很广泛,有时需要把字典的数据进行拼接输出,字典能方便对数据的存储和管理,以下介绍几种字典的基本操作:
1.字典的创建
字典创建方式之一:通过赋值创建
dict1 = {'name':'小明', 'age':18, 'sex':'男'}
print(dict1)
output:
{'name': '小明', 'age': 18, 'sex': '男'}
字典创建方式之二:通过列表转字典,用dict函数
dict2 = dict([('name','小明'),('age',18),('sex','男')])
print(dict2)
output:
{'name': '小明', 'age': 18, 'sex': '男'}
#由上一种方式衍生出以下这种方式,使用zip函数把键列表和值列表打包成键值对一一对应的元组
dict2= dict(zip([key1, key2], [value1, value2]))
字典创建方式之三:通过dict函数和关键字创建
dict3 = dict(name = '小明',age = 18, sex = '男') # 注意此种情况下键必须为字符串
print(dict3)
output:
{'name': '小明', 'age': 18, 'sex': '男'}
字典创建方式之四:zip函数
dict4= dict(zip(['one', 'two', 'three'],[1, 2, 3]))
print(dict4)
output:
{'one': 1, 'two': 2, 'three': 3}
字典创建方式之五:字典的推导式创建
dict5 = { x: x**2 for x in [1, 2, 3]}
dict5 = { k: i for k,i in [('one', 1),('two', 2),('three', 3)]}
print(dict5)
output:
{'one': 1, 'two': 2, 'three': 3}
dict5={str(i):i*2 for i in range(9)}
print(dict5) #{'0': 0, '1': 2, '2': 4, '3': 6, '4': 8, '5': 10, '6': 12, '7': 14, '8': 16}
字典创建方式之六:通过dict.fromkeys()
dict6= dict.fromkeys([key1, key2], value) # 这种情况适用于多个键对应相同值的情况
dict6= dict.fromkeys('abcde',3)
print(dict6)
output:
{'a': 3, 'b': 3, 'c': 3, 'd': 3, 'e': 3}
2.字典的排序
对字典的排序有两种方法:
- 借助.keys()方法和list()函数将键提取成list,对list排序后输出:
D = {'a':1, 'c':3, 'b':2}
D1 = list(D.keys())
D1.sort()
for i in D1:
print(i, D[i])
output:
a 1
b 2
c 3
2.借助内置的sorted()函数可对任意对象类型排序,返回排序后的结果:
- tips:对于sorted(字典)来说,返回的是排序好的keys(以list的形式)
D = {'a':1, 'c':3, 'b':2}
for i in sorted(D):
print(i, D[i])
output:
a 1
b 2
c 3
sorted(dict.items(), key=lambda x:x[0]) # 按照字典的k进行排序,返回由(k,v)构成的列表
sorted(dict.items()) 默认就是按照字典的k进行排序
key=lambda x:x[0] 表示按照x[0]进行排序
x是sorted第一个参数返回的可迭代对象的每一个(k,v)
x[0]就是元组中的第一个值,也就是字典的k
3.字典的拼接
1)拼接key值和value值
使用字典对象的item()方法获得字典的键值对列表,这是字典的常规处理方法,语法如下:
for key,value in dic.items():
print(key + ':' + value)
2)拼接key值
使用字典对象的keys()方法可以获得字典的键,语法如下:
for key in list(dic.keys()):
print(key)
3)拼接value值
使用字典对象的values()方法获得字典的值,语法如下:
for value in list(dic.values()):
print(value)
参考资料:
1.https://www.cnblogs.com/kxx-1/p/11683804.html
2.https://www.cnblogs.com/zhmz/p/13330870.html
3.《python编程锦囊》明日科技