Python教程

Python基础(四)

本文主要是介绍Python基础(四),对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

python基础(四)

目录
  • python基础(四)
    • while+continue
    • while+else
    • 死循环
    • for循环
    • range关键字
    • for+break
    • for+continue
    • for+else
    • for循环的嵌套使用

while+continue

#使用while循环打印出0-10
count = 0
while count < 11:
    print('count')
    count += 1

#使用while循环打印出0-10,但是不打印4
count = 0
while count < 11:
    if count == 4:
        count += 1
        continue
    print(count)
    count += 1
   
#continue会让循环体代码直接回到条件判断处重新判断

while+else

count = 0
while count < 5:
    print(count)
    count += 1
else:
    print('呵呵哈哈')   #会执行else子代码块
    
    
count = 0
while count < 5:
    if count == 3:
        break
    print(count)
    count += 1
else:
    print('hhhh')   #不会执行else子代码块

死循环

while True
print(1)

for循环

for循环能做到的事情 while循环都可以做到
但是for循环语法更加简洁,并且在循环取值问题上更加方便

name_list = ['jason', 'tony', 'kecin', 'jack', 'asd']
#循环取出列表的每一个元素并打印
#while实现
#count = 0
#while count < 5:
#	print(name_list[count])
#	count += 1

#for循环
for name in name_list:
    print(name)
    
forr 变量名 in 可迭代对象:  #字符串、列表、字典、元祖、集合
	for循环体代码
    
ps:变量名如果没有合适的名称,那么可以使用i, j, k, v, item等


#name_list = ['jason', 'tony', 'kevin', 'jack', 'asd']
#循环取出列表每一个元素并打印
#while实现
#count = 0
#while count < 5:
#	print(name_list[count])
#	count +=1

#for循环
#for name in name_list:
#	print(name)

#for循环字符串
#for i in 'hello world':
#	print(i)

#for循环字典,默认只能拿到K
d = {'username':'jason', 'pwd':123, 'hobby':'yellow'}
for k in d:
    print(k, d[k])

range关键字

关键字range
第一种:一个参数 ,从0开始,骨头不顾尾
for i in range (10)
第二种:两个参数,自定义其实位置,骨头不顾尾
for i in range (10, 30)
第三种:三个参数,第三个数字用来控制等差值
for i in range (10, 100, 10)


#扩展
#base = https://movie.douban.com/top250?start=%s&filter=
for i in range(0, 225,25):
	print(base % i)

for+break

break功能也是用于结束本层循环
for i in  range(10):
    if i == 4:
        break
    print(1)

for+continue

continue功能也是用于结束本次循环
for i in range(10):
    if i = 4:
    	continue
    print(1)

for+else

else也是for循环正常结束的情况下才会执行

for i in range(10):
    if i == 4:
        break
    print(i)
else:
    print('搞!!')

for循环的嵌套使用

#for i in range(3)
#	for j in range(5):
#		print("*", end='')
#	print()


for i in range(1, 10):
    for j in range (1, i + 1):
        print('%s*%s=%s' % (i, j, i, *j), end=' ')
    print()
这篇关于Python基础(四)的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!