简单记录一下Python再次学习的所得......
While和For循环。
1、while。
结构:
while 条件:
opts
else:
opts
一个简单的小例子:
i = 0结果:0 1 2 3 4 5 6 7 8 9
while i < 10 :
print i
i = i + 1
带有else的小例子:
i = 0
while i < 10 :
print i
i = i + 1
else:
print 'It is over.'
i = 0
while i < 10 :
print i
i = i + 1
if i == 7:
break;
else:
print 'It is over.'
结果:
如果while正常执行完,则会执行else中的内容,如果遇到break跳出循环,则else中的内容也不会执行。
2、break、continue、pass介绍
break:跳出当前循环
continue:跳出本次循环,进行下一次循环
pass:什么也不做,占位。
一个例子显而易见:
i = 0
while i < 10 :
i = i + 1
if i == 4:
pass
if i == 6:
continue
if i == 8:
break
print i
else:
print 'It is over.'
结果:1 2 3 4 5 7 跳过了6,进入7的循环,到8时跳出了循环。
3、for循环。
结构:
for 变量* in 迭代器:
opts
else:
opts
变量可以是一个,也可以是多个,看例子:
_list = [1,2,3,4,5]结果:
_tuple = ((1,2),(3,4),(6,5),(7,7))
_dict = {'1':1,'2':2,'3':3}
for i in _list:
print i
for i in _tuple:
print i
for x,y in _tuple:
print x,y
print [x for x,y in _tuple if x>y]
#for x,y in _tuple if x>y:
#print x #报错,不能这样写
for i in _dict:
print i
for i in _dict:
print i,'the value is+',_dict[i]
for key,value in _dict.items():#items()方法返回字典的(键,值)元组对的列表
print key,'the value is_',value
#for i in _dict:
#print i.(''+i) #baocuo