iter函数用法简述
Python3中关于iter(object, sentinel)
方法有两个参数,使用iter(object)
这种形式比较常见,iter(object, sentinel)
这种形式比较少使用。
iter(object)用法
Python官方文档对于这种形式的解释很容易理解。
此时,object必须是集合对象,且支持迭代协议(iteration protocol)或者支持序列协议(sequence protocol)。说白了,也就是实现了iter()方法或者getitem()方法。
li = [1, 2, 3]
for i in iter(li):
print(i)
iter(object, sentinel)
如果传递了第二个参数sentinel
,则object
必须是一个可调用的对象(如函数)。此时,iter
创建了一个迭代器对象,每次调用这个迭代器对象的__next()
方法,都会调用object
。
如果__next__
的返回值等于sentinel
,则抛出StopIteration
异常,否则返回一个值。
class TestIter(object):
def __init__(self):
self.li = [1, 2, 3, 4, 5]
self.it = iter(self.li)
def __call__(self): #定义了__call__方法的类的实例是可调用的
item = next(self.it)
print("__call__ is called, which would return", item)
return item
def __iter__(self): #支持迭代协议,即定义有__iter__函数
print("__iter__ is called")
return iter(self.li)
t = TestIter() #t是可调用的
t1 = iter(tm 2) #t必须是callable的,否则无法返回callable_iterator
print(callable(t))
for i in t1:
print(i) #它每次在调用的时候,都会调用__call__函数,并且最后输出3就停止了。
True call is called,which would return 1 1
call is called,which would return 2
2
call is called,which would return 3