文章目录

  • 一、脑图
  • 二、分支流程
    • 1.双分支
    • 2.三元运算符
    • 3.多分支
  • 三、while循环
    • 1.while条件循环
    • 2.while else和while死循环
  • 四、for 循环
    • 1.简单for循环
    • 2.for循环遍历字符串
    • 3.for循环嵌套
    • 4.break 语句和continue 语句
  • 五、防止黑客暴力破解习题
  • 六、判断是否是闰年
    • 1.拓展:random模块
    • 2.判断是否是闰年

一、脑图

二、分支流程

分支语句:    1.单分支    if 条件:        满足执行的内容     2.双分支    if 条件:        满足条件执行的内容    else:        不满足条件执行的内容    3. 三元运算符(双分支的简化版)    result = 满足条件的内容 if 条件 else 不满足条件的内容    4.多分支    if 条件1:        满足条件执行的内容    elif 条件:        满足条件执行的内容    else:        所有条件都不满足执行内容

1.双分支

user=input("请输入用户名:")password=input("请输入密码:")if user=="admin" and password=="westos":    print(f"用户{user}登陆成功")else:    print(f"{user}登陆失败")

2.三元运算符

age=int(input(“年龄:”))
print(“成年” if age>=18 else “未成年”)

3.多分支

score = int(input("请输入成绩:"))if 90<=score<=100:    print("A")elif 80<=score<90:    print("B")elif 0<=score<80:    print("C")else:    print("输入有误")

三、while循环

1.while条件循环

#需求:输出数字从0-100count=0while count<=100:    print(count)    count+=1

2.while else和while死循环

try_count = 1  # 用户尝试登录的次数while True:    print(f'用户第{try_count}次登录系统')    try_count += 1  # 用户尝试登录的次数+1    name = input("用户名:")    password = input("密码:")    if name == 'root' and password == 'westos':        print(f'用户{name}登录成功')        exit()   # 退出程序    else:        print(f'用户{name}登录失败')

四、for 循环

1.简单for循环

for num in range(0,101):    print(num)

2.for循环遍历字符串

string = 'westos'for item in string:    print(item)  ##输出结果 westos

3.for循环嵌套

##九九乘法表for i in range (1,10):    for j in range (1,i+1):##如何让print不换行,print('',end='这个中间是空格')        print(f"{i}*{j}={i*j}",end=' ')    # i=1,i=2,i=...换行    print() ##结果 1*1=1 2*1=2 2*2=4 3*1=3 3*2=6 3*3=9 4*1=4 4*2=8 4*3=12 4*4=16 5*1=5 5*2=10 5*3=15 5*4=20 5*5=25 6*1=6 6*2=12 6*3=18 6*4=24 6*5=30 6*6=36 7*1=7 7*2=14 7*3=21 7*4=28 7*5=35 7*6=42 7*7=49 8*1=8 8*2=16 8*3=24 8*4=32 8*5=40 8*6=48 8*7=56 8*8=64 9*1=9 9*2=18 9*3=27 9*4=36 9*5=45 9*6=54 9*7=63 9*8=72 9*9=81

4.break 语句和continue 语句

五、防止黑客暴力破解习题

try_count=1 ##用户的尝试次数while try_count <= 3:    print(f"用户第{try_count}次登录系统")    try_count += 1 ##用户尝试登陆的次数+1    name = input("用户名:")    passwd = input("密码:")    if name=='root' and passwd=='westos':        print(f'用户{name}登陆成功')        exit()    else:        print(f'{name}登陆失败')else:    print("尝试的次数大于3次")


六、判断是否是闰年

1.拓展:random模块

2.判断是否是闰年

import random years=random.randint(1900,2000)if (years%4==0 and years%100!=0) or years%400==0:    print(f"{years}是闰年")else:    print(f"{years}不是闰年")