原创文章,欢迎转载。转载请注明:转载自 祥的博客
原文链接:https://cloud.tencent.com/developer/article/1596478
- @[toc]环境基础概念1.1. 引言1.2. 可迭代与迭代器的区别应用2.1. 字典dict的迭代2.2. 字符串str的迭代判断对象的可迭代性和获得获取迭代索引3.1. 判断对象的可迭代性3.2. 迭代的同时获得迭代索引(下标)eg.1.eg.2.eg.3.参考文献
Python迭代和对象的可迭代性
Python文档整理目录: https://blog.csdn.net/humanking7/article/details/80757533
Python 3.6
如果给定一个
list
或tuple
,我们可以通过for
循环来遍历这个list
或tuple
,这种遍历我们称为迭代(Iteration
)。
在Python
中,迭代是通过for ... in
来完成的,而很多语言比如C语言,迭代是通过下标完成的,eg:
int buf[100] = {...};
for(int i=0; i<100; 1++){
int a = buf[i]
// do something
}
可迭代:
在Python
中如果一个对象有__iter__( )
方法或__getitem__( )
方法,则称这个对象是可迭代的(Iterable
);其中__iter__( )
方法的作用是让对象可以用for ... in
循环遍历,__getitem__( )
方法是让对象可以通过“实例名[index]
”的方式访问实例中的元素。换句话说,两个条件只要满足一条,就可以说对象是可迭代的。显然列表List
、元组Tuple
、字典Dictionary
、字符串String
等数据类型都是可迭代的。当然因为Python
的**“鸭子类型”**,我们自定义的类中只要实现了__iter__( )
方法或__getitem__( )
方法,也是可迭代的。
迭代器:
在Python
中如果一个对象有__iter__( )
方法和__next__( )
方法,则称这个对象是迭代器(Iterator
);其中__iter__( )
方法是让对象可以用for ... in
循环遍历,__next__( )
方法是让对象可以通过next(实例名)
访问下一个元素。
注意:这两个方法必须同时具备,才能称之为迭代器。列表List
、元组Tuple
、字典Dictionary
、字符串String
等数据类型虽然是可迭代的,但都不是迭代器,因为他们都没有next( )方法
。
只要是可迭代对象,无论有无下标,都可以迭代,比如dict
就可以迭代:
In [1]: d = {'a': 1, 'b': 2, 'c': 3}
dict
迭代的是key
。In [2]: for key in d:
...: print(key)
...:
a
b
c
value
,可以用for value in d.values()
。In [3]: for value in d.values():
...: print(value)
...:
1
2
3
key
和value
,可以用for k, v in d.items()
。In [4]: for k,v in d.items():
...: print('key:', k, ', value:', v)
...:
key: a , value: 1
key: b , value: 2
key: c , value: 3
注意: 因为dict
的存储不是按照list
的方式顺序排列,所以迭代出的结果顺序很可能不一样。
In [5]: for ch in 'hello':
...: print('char is:%c' % ch)
...:
char is:h
char is:e
char is:l
char is:l
char is:o
由1.2节可知,如果对象类中含有__iter__( )
方法或__getitem__( )
方法,则称这个对象是可迭代的(Iterable
),那么如何判断呢?方法是通过collections
模块的Iterable
类型判断:
In [7]: from collections import Iterable
In [8]: isinstance('hello', Iterable) # 字符串str可迭代
Out[8]: True
In [9]: isinstance([1, 2, 3], Iterable) # 列表list可迭代
Out[9]: True
In [10]: isinstance({}, Iterable) # 字典dict可迭代
Out[10]: True
In [11]: isinstance(996, Iterable) # 整型int 不可迭代
Out[11]: False
In [12]: isinstance(99.6, Iterable) # float 不可迭代
Out[12]: False
Python
内置的enumerate
函数可以把一个list变成索引-元素对,这样就可以在for
循环中同时迭代索引
和元素本身
:
# d = {'a': 1, 'b': 2, 'c': 3}
In [15]: for i,key in enumerate(d):
...: print(i,' ',key)
...:
0 a
1 b
2 c
In [16]: for i, ele in enumerate(['a','b','c']):
...: print(i,' ',ele)
...:
0 a
1 b
2 c
In [17]: for i, ele in enumerate('hello'):
...: print(i,' ',ele)
...:
0 h
1 e
2 l
3 l
4 o
廖雪峰Python教程:https://www.liaoxuefeng.com/wiki/1016959663602400/1017316949097888
OK!
以上,Enjoy~