描述
next() 返回迭代器的下一个项目。
next() 函数要和生成迭代器的 iter() 函数一起使用。
语法
next 语法:
next(iterable[, default])
参数说明:
- iterable -- 可迭代对象
- default -- 可选,用于设置在没有下一个元素时返回该默认值,如果不设置,又没有下一个元素则会触发 StopIteration 异常。
返回值
返回下一个项目。
实例
以下实例展示了 next 的使用方法:
#!/usr/bin/python # -*- coding: UTF-8 -*- # 首先获得Iterator对象: it = iter([1, 2, 3, 4, 5]) # 循环: while True: try: # 获得下一个值: x = next(it) print(x) except StopIteration: # 遇到StopIteration就退出循环 break
输出结果为:
1 2 3 4 5
1 篇笔记 写笔记
-
Out Of Bounds
915***213@qq.com
116
如果传入第二个参数, 获取最后一个元素之后, 下一次next返回该默认值, 而不会抛出 StopIteration:
#!/usr/bin/python # -*- coding: UTF-8 -*- it = iter([1, 2, 5, 4, 3]) while True: x = next(it, 'a') print(x) if x == 'a': break
输入结果为:
1 2 5 4 3 a