轉:http://www.cnblogs.com/dolphin0520/archive/2013/03/13/2954682.htmlhtml
一.條件選擇語句python
Python中條件選擇語句的關鍵字爲:if 、elif 、else這三個。其基本形式以下:函數
if condition: block elif condition: block ... else: block
其中elif和else語句塊是可選的。對於if和elif只有condition爲True時,該分支語句才執行,只有當if和全部的elif的condition都爲False時,才執行else分支。注意Python中條件選擇語句和C中的區別,C語言中condition必需要用括號括起來,在Python中不用,可是要注意condition後面有個冒號。spa
下面這個是成績劃分等級的一個例子:code
score=input() if score<60: print "D" elif score<80: print "C" elif score<90: print "B" else: print "A"
二.循環語句htm
和C語言同樣,Python也提供了for循環和while循環(在Python中沒有do..while循環)兩種。可是Python中的for循環用法和C語言中的大不同(和Java、C#中的for循環用法相似),while循環用法大體和C語言中的相似。blog
for循環的基本形式以下:字符串
for variable in list: block
舉個例子,求算從1加到100的和:input
sum=0 for var in range(1,101): sum+=var print sum
range()是一個內置函數,它能夠生成某個範圍內的數字列表。好比說range(1,6)就會生成[1,2,3,4,5]這樣一個列表,而range(8)會生成[0,1,2,3,4,5,6,7]這樣一個列表。it
固然能夠有嵌套循環,好比說有一個列表list=['China','England','America'],要遍歷輸出每一個字母。
list=['China','England','America'] for i in range(len(list)): word=list[i] for j in range(len(word)): print word[j]
內置的函數len()不只能夠用來求算字符串的長度也能夠用來求列表或者集合中成員的個數。
下面來看一下while循環的基本形式:
while condition: block
只有當condition爲True時,才執行循環。一旦condition爲False,循環就終止了。
舉個例子:
count=2 while count>0: print "i love python!" count=count-1
若是想要在語句塊過程當中終止循環,能夠用break或者continue。break是跳出整個循環,而continue是跳出該次循環。
count=5 while True: print "i love python!" count=count-1 if count==2: break
count=5 while count>0: count=count-1 if count==3: continue print "i love python!"
最後加一點,Python中的for和while循環均可以加else子句,else子句在整個循環執行條件不符合時執行(這種用法如今通常用得比較少了)。看兩個例子:
#這兩段循環功能徹底相同 for i in range(0,10): print i else: print 'over' for i in range(0,10): print i print 'over'
下面是while..else的用法:
#這兩段循環功能徹底相同 count=5 while count>0: print 'i love python' count=count-1 else: print 'over' count=5 while count>0: print 'i love python' count=count-1 print 'over'