1. 程式人生 > >Python自動化運維開發----基礎(三)條件語句和迴圈語句

Python自動化運維開發----基礎(三)條件語句和迴圈語句

1.python中的條件和迴圈有哪些?

python中的迴圈和其他程式語言一樣,條件有if,迴圈有while、for

2.條件語句

條件語句的格式(1)有一個條件

if  條件:
    執行語句1
else:
    執行語句2

條件語句的格式(2)有多個條件

if   條件1:
     執行語句1
elif  條件2:
     執行語句2
elif  條件3:
     執行語句3
else:
     執行語句4

3.while迴圈

while迴圈的格式

while 條件:
    執行語句

4.for迴圈(用來遍歷列表和字串)

for迴圈的格式

for name in names:
    print(name)

eg:定義一個列表用for迴圈去遍歷這個列表

>>> num = ['1','2','3']
>>> for num in num:
...     print(num)
... 
1
2
3
>>>

5.continue和break的區別

continue是結束本次迴圈去執行下一次迴圈

break是中止迴圈

6.小練習

(1)求一個下1-100的和,在迴圈結束的時候輸出sum

#!/usr/bin/python
i = 1
sum=0
while i <= 100:
   sum+=i
   i+=1
print(sum)

執行結果

[[email protected] 18-12-16]# python test9.py        
5050

(2)持續輸入一個數字,求總數和平均數,在使用者輸入exit的時候直接退出程式

在這個小程式中需要考慮的有使用者輸輸入的次數用來求平均數,使用者每次輸入數的累加,在使用者輸入exit就退出程式,使用者第一次輸入exit的情況

#!/usr/bin/python
sum = 0
i = 0
while True:
    num = input("輸入一個數字:")
    if num == "exit" :
       print("總數:",sum)
       if i == 0:
           print("沒有執行加法,沒有平均數")
       else:
           print("平均數: ",sum / i)
       print("退出迴圈")
       break;
    else:
       num = int(num)
       sum += num
       i = i + 1

執行程式

[[email protected] 18-12-16]# python test10.py  
輸入一個數字:1
輸入一個數字:2
輸入一個數字:3
輸入一個數字:exit
總數: 6
平均數:  2.0
退出迴圈
[[email protected] 18-12-16]# python test10.py 
輸入一個數字:exit
總數: 0
沒有執行加法,沒有平均數
退出迴圈

(3)寫一個小程式去判斷輸入的年份是不是閏年

#encoding: utf-8
#!/usr/bin/python

age = int(input("請輸入年份:"))

if  (age % 4) == 0  and (age % 100) != 0:
    print("閏年")
elif (age % 400) == 0:
    print("閏年")
else:
    print("不是閏年")

(4)寫一個小程式,根據輸入的成績輸出相應的等級

#encoding: utf-8
#!/usr/bin/python
grade = int(input("請輸入成績:"))
if grade >= 90:
    print("成績等級是優")
elif grade >= 60 and grade < 90:
    print("成績等級是良")
elif grade < 60:
    print("成績等級不合格")