欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

程序员文章站 2022-06-03 23:05:09
python 异常处理 StopIteration有StopIteration的情况没有StopIteration的情况有StopIteration的情况it = iter([1,2,3,4,5])while True:try:#获取下一个值x = next(it)print(x)except StopIteration:#遇到StopIteration就退出循环break这里退出while循环后还可以继续往下执行代码没有StopIteration的情况...

有StopIteration的情况

it = iter([1,2,3,4,5])
while True:
	try:
		#获取下一个值
		x = next(it)
		print(x)
	except StopIteration:
		#遇到StopIteration就退出循环
		break

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()
这里退出while循环后还可以继续往下执行代码

没有StopIteration的情况

it = iter([1,2,3,4,5])
while True:

	#获取下一个值
	x = next(it)
	print(x)
	# except StopIteration:
	# 	#遇到StopIteration就退出循环
	# 	break

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()
这里Traceback后就不能往下执行代码了

在next()中增加第二个参数

it = iter([1,2,3,4,5])
while True:

	#获取下一个值
	x = next(it,None)
	print(x)
	if x == None:
		break
# 	# except StopIteration:
# 	# 	#遇到StopIteration就退出循环
# 	# 	break
print("hahahaha")

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

执行一次next()输出多少个元素:一个

case one 以迭代器的形式

it = iter([1,2,3,4,5]) # 以迭代器的形式
print(next(it,None))

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

case two 以列表形式作为输入: 不可以

it = [2,1,3,4,5]
print(next(it,None))

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

case three 以元组形式作为输入: 不可以

it = (1,2,3,4,5)
print(next(it,None))

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

case four : 利用iter + for 可以

it = iter([1,2,3,4,5])
a = next((name for name in it),None)
print(a)

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

case five: (name for name in a)的数据类型到底是什么?:generator

a = [1,2,3,4,5]
b = [4,5,6,7,8]
print(name for name in a if name not in b)
c = (name for name in a if name not in b)
print("the type of c:",type(c))
print("the output of next() function:",next(c,None))

python 异常处理 StopIteration 用来作为迭代器的输出停止/next()

本文地址:https://blog.csdn.net/csdnhuizhu/article/details/107268520