python中for语句及相关练习题

  • for循环使用的语法:
    for 变量 in 序列:
    循环要执行的动作
sum = 0
for(i = 1; i <= 100 ; i++)
    sum += i
  • range的用法
"""
range(stop): 0 - stop-1
range(start,stop): start - stop-1
range(start,stop,step): start - stop-1 step(步长)
"""
  • 练习
    1.求1~100之间所有奇数的和
sum = 0
for i in range(1,101,2):
    sum += i

print(sum)

2.用户输入一个整型数,求该数的阶乘

num = int(input('Num:'))

res = 1
for i in range(1,num+1):
    res *= i

print('%d 的结果是: %d' %(num,res))

运行的结果:
Num:5
5 的结果是: 120

  • break:跳出整个循环,不会再循环后面的内容
    continue:跳出本次循环,continue后面的代码不再执行,但是循环依然继续
    exit():结束程序的运行
for i in range(10):
    if i == 5:
        break
 print('hello python')
  
   print(i)
print('hello world')
运行结果为:
0
1
2
3
4
hello world
for i in range(10):
    if i == 5:
    continue
        print('hello python')
    print(i)

print('hello world')
运行结果为
0
1
2
3
4
6
7
8
9
hello world

for i in range(10):
    if i == 5:
        print('hello python')
        exit()
    print(i)

print('hello world')
运行结果为:
0
1
2
3
4
hello python
  • for语句练习题
    1.有1,2,3,4四个数字
    求这四个数字能生成多少互不相同且无重复数字的三位数(122,133)
"""
 count = 0
 for i in range(1,5):
     for j in range(1,5):
       for k in range(1,5):
        if i != j and j !=k and i != k:
           print(i * 100 + j * 10 + k)
         count += 1
print('生成%d个无重复的三位数' %count)
"""

2.用户登陆程序需求:
1. 输入用户名和密码;
2. 判断用户名和密码是否正确? (name=‘root’, passwd=‘westos’)
3. 登陆仅有三次机会, 如果超>过三次机会, 报错提示;

trycount = 0
while trycount < 3:
    name = input('用户名: ')
    password = input('密码: ')
    if name == 'root' and password == 'westos':
        print('登录成功')
        break
    else:
        print('登录失败')
        print('您还剩余%d次机会' %(2-trycount))
        trycount += 1
else:
    print('登录次数超过3次,请稍后再试!


你可能感兴趣的:(python中for语句及相关练习题)