本文共 2518 字,大约阅读时间需要 8 分钟。
python流程处理
1.流程处理if...else
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | #!/bin/bash/env python #_*_ coding:utf-8 _*_ #python version :python3.6 import getpass n1 = "abc" p1 = "123" name = input ( "input your name:" ) passwd = getpass.getpass( "input your passwd:" ) if name = = n1 and passwd = = p1: print ( "welecome login !" ) else : print ( "user or pass is incorrect" ) |
2.流程处理if...elif...elif...else
1 2 3 4 5 6 7 8 9 10 11 12 | #!/bin/bash/env python #_*_ coding:utf-8 _*_ #python version:3.6 n1 = 21 name = int ( input ( "please input the number which you want to:" )) if name = = n1: print ( "you are too smart!" ) elif name < 21 : print ( "is too small!" ) else : print ( "it is too big!" ) |
3.for循环
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | 例 1 : # 循环10个数字 i = 1 for i in range ( 10 ): print (i) 例 2 : #猜年龄优化for...break #可以输入10次机会,输入正确就退出。 n1 = 21 for i in range ( 10 ): name = int ( input ( "please input the number which you want to:" )) if name = = n1: print ( "you are too smart!" ) break ; elif name < 21 : print ( "is too small!" ) else : print ( "it is too big!" ) |
4.while循环
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 | #!/bin/bash/env python #_*_ coding:utf-8 _*_ #python version:3.6 例 1 #循环数字,当循环10的时候退出 count = 0 #设置计数器 while True : print ( "print:" ,count) count + = 1 if count = = 10 : print ( "loop completed" ) break ; #跳出循环 例 2 #猜年龄游戏,可以输入10次,但是输错3次就退出。 #测试是否可以输入10次,把count < 3 改成count <10 即可; n1 = 21 count = 0 while True : if count = = 10 : print ( "say goodbye!" ) else : if count < 3 : name = int ( input ( "please input the number which you want to:" )) if name = = n1: print ( "you are too smart!" ) break ; elif name < 21 : print ( "is too small!" ) else : print ( "it is too big!" ) else : print ( "you are too failed!" ) break ; count + = 1 例 3 #猜年龄游戏,可以输入10次,但是输错3次,就再问一下你还要继续吗?不继续就退出。 n1 = 21 count = 0 for i in range ( 13 ): if count < 3 : name = int ( input ( "please input the number which you want to:" )) if name = = n1: print ( "you are too smart!" ) break ; elif name < 21 : print ( "is too small!" ) else : print ( "it is too big!" ) else : print ( "you are too failed!" ) input1 = input ( "Do you want to continue? (y/n)" ) if input1 = = "y" : count = 0 ; continue ; else : print ( "say goodbye!" ) break ; count + = 1 注意:counter + = 1 相等于 counter = counter + 1 |