Python中dict字典的多种遍历方式
1.使用 for key in dict 遍历字典
可以使用 for key in dict 遍历字典中所有的键
x = {'a': 'A', 'b': 'B'}
for key in x:
print(key)
# 输出结果
a
b
2.使用 for key in dict.keys () 遍历字典的键
字典提供了 keys () 方法返回字典中所有的键
# keys
book = {
'title': 'Python 入门基础',
'author': '张三',
'press': '机械工业出版社'
}
for key in book.keys():
print(key)
# 输出结果
title
author
press
3.使用 for values in dict.values () 遍历字典的值
字典提供了 values () 方法返回字典中所有的值
# values
book = {
'title': 'Python 入门基础',
'author': '张三',
'press': '机械工业出版社'
}
for value in book.values():
print(value)
# 输出结果
Python 入门基础
张三
机械工业出版社
4.使用 for item in dict.items () 遍历字典的键值对
字典提供了 items () 方法返回字典中所有的键值对 item
键值对 item 是一个元组(第 0 项是键、第 1 项是值)
x = {'a': 'A', 'b': 'B'}
for item in x.items():
key = item[0]
value = item[1]
print('%s %s:%s' % (item, key, value))
#Python小白学习交流群:153708845
# 输出结果
('a', 'A') a:A
('b', 'B') b:B
5.使用 for key,value in dict.items () 遍历字典的键值对
item = (1, 2)
a, b = item
print(a, b)
# 输出结果
1 2
例子
x = {'a': 'A', 'b': 'B'}
for key, value in x.items():
print('%s:%s' % (key, value))
# 输出结果
a:A
b:B