1. 程式人生 > >Python中的迴圈以及break/continue/else/pass

Python中的迴圈以及break/continue/else/pass

簡單記錄一下Python再次學習的所得......

While和For迴圈。

1、while。

結構:

while 條件:

    opts

else:

    opts

一個簡單的小例子:

i = 0
while i < 10 :
    print i 
    i = i + 1 
結果:0 1 2 3 4 5 6 7 8 9

帶有else的小例子:

i = 0
while i < 10 :
    print i 
    i = i + 1 
else:
	print 'It is over.'

i = 0
while i < 10 :
    print i 
    i = i + 1 
    if i == 7:
    	break;
else:
	print 'It is over.'

結果:


如果while正常執行完,則會執行else中的內容,如果遇到break跳出迴圈,則else中的內容也不會執行。

2、break、continue、pass介紹

break:跳出當前迴圈

continue:跳出本次迴圈,進行下一次迴圈

pass:什麼也不做,佔位。

一個例子顯而易見:

i = 0
while i < 10 :
    
    i = i + 1 
    if i == 4:
    	pass
    if i == 6:
    	continue
    if i == 8:
    	break
    print i 
else:
	print 'It is over.'

結果:1 2 3 4 5 7 跳過了6,進入7的迴圈,到8時跳出了迴圈。

3、for迴圈。

結構:

for 變數* in 迭代器:

    opts

else:

    opts

變數可以是一個,也可以是多個,看例子:

_list = [1,2,3,4,5]
_tuple = ((1,2),(3,4),(6,5),(7,7))
_dict = {'1':1,'2':2,'3':3}

for i in _list:
	print i

for i in _tuple:
	print i 

for x,y in _tuple:
	print x,y
print [x for x,y in _tuple if x>y]
#for x,y in _tuple if x>y:
	#print x   #報錯,不能這樣寫

for i in _dict:
	print i

for i in _dict:
	print i,'the value is+',_dict[i]

for key,value in _dict.items():#items()方法返回字典的(鍵,值)元組對的列表
	print key,'the value is_',value

#for i in _dict:
	#print i.(''+i) #baocuo 
結果: