python 基础知识三: 条件判断和循环

写在前面:python系列基础知识采录整理于慕课网,在慕课网跟着教程敲一遍后发现无法记全,转换为自己的笔记更容易复习,故边学边复制了一份,原教程链接地址:https://www.imooc.com/code/3328,共勉

一,if用法

score = 85

if score>=90:
    print 'excellent'
elif score>=80:
    print 'good'
elif score>=60:
    print 'passed'
else:
    print 'failed'

if特性:

1,ython代码的缩进规则。具有相同缩进的代码被视为代码块

2,Python的习惯写法:4个空格,不要使用Tab,更不要混合Tab和空格

3,在Python交互环境下敲代码,还要特别留意缩进,并且退出缩进需要多敲一行回车

二,for循环

#求四个成绩的平均数
L = [75, 92, 59, 68]
sum = 0.0
for child in L:
    sum = sum + child
print sum / 4

三,while 循环

#求100以内奇数的和
sum = 0
x = 1
while x<100:
    sum = sum+x
    x = x+2
print sum

四,break 退出循环

#计算 1 + 2 + 4 + 8 + 16 + ... 的前20项的和。
sum = 0
x = 1
n = 1
while True:
    child = 2**(n-1)
    sum = sum + child
    n = n+1
    if ( n > 20 ):
        break
print sum

五,continue 跳过后续循环,直接进行下一个循环

#通过增加 continue 语句,使得只计算0-100奇数的和
sum = 0
x = 0
while True:
    x = x + 1
    if x > 100:
        break
    if x%2 == 0:
        continue
    sum = sum + x
print sum

实战

#对100以内的两位数,请使用一个两重循环打印出所有十位数数字比个位数数字小的数,例如,23(2 < 3)
for x in [ 1,2,3,4,5,6,7,8,9 ]:
    for y in [ 1,2,3,4,5,6,7,8,9 ]:
        if (x < y):
            print x*10 + y

 

你可能感兴趣的:(python学习笔记)