标签:代码 nts 年龄 b2c 数据 验证 无限 http 输入
结构:
while 条件:
循环语句
while True:
没有break语句情况下
一、 改变条件 (标志位的概念):一般默认使用flag来作为标志位。
flag = True
num = 0
while flag:
print(num)
num = num + 1
if num < 10:
flag = False
二、 break 终止循环:跳出它所在的循环体。
num = 0
while True:
print(num)
num = num + 1
if num < 10:
break
result = 0
count = 1
while True:
result += count
count += 1
if count == 101:
break
print(result)
result = 0
count = 1
while count < 101:
result += count
count += 1
print(result)
result = 0
count = 1
flag = True
while flag:
result += count
count += 1
if count == 101:
flag = False
print(result)
while True:
print(111)
print(222)
continue
print(333)
结果是
111
222
111
222
...
count = 1
while count < 5:
print(count)
count = count + 1
if count == 3: break
else:
print(666)
print(222)
结果是
1
2
222
name = input('请输入姓名:')
age = int(input('请输入年龄:'))
sex = input('请输入性别:')
% 占位符 s 数据类型为字符串 d 数字
msg = '你的名字是%s,你的年龄%d,你的性别%s' % (name,age,sex)
print(msg)
msg = '你的名字是%(name1)s,你的年龄%(age1)d,你的性别%(sex1)s' % {'name1':name,'age1':age,'sex1':sex}
print(msg)
msg = '我叫%s,今年%d,我的学习进度1%%' % ('alex',28)
print(msg)
== 比较的两边的值是否相等
= 赋值运算
!= 不等于
+= 举例: count = count + 1 简写 count += 1
-=
*= : count = count * 5 简写 count *= 5
/=
**=
//=
...
print(1 < 2 or 3 > 1)
print(1 < 2 and 3 > 4)
print(1 < 2 and 3 > 4 or 8 < 6 and 9 > 5 or 7 > 2)
print(1 > 2 and 3 < 4 or 4 > 5 and 2 > 1 or 9 < 8)
print(1 > 1 and 3 < 4 or 4 > 5 and 2 > 1 and 9 > 8 or 7 < 6)
'''
x or y if x is True,return x
'''
print(1 or 2)
print(1 and 2)
print(5 or 2)
print(5 and 2)
print(0 or 2)
print(-1 or 2)
print(bool(100))
print(bool(-1))
print(bool(0))
print(int(True))
print(int(False))
print(1 > 2 or 3 and 4 < 6)
print(2 or 3 and 4 < 6)
答案为:
True
2
如果 x or y 语句中x为真,即为x,否则为y
真 or 真 --> x
真 or 假 --> x
假 or 真 --> y
假 or 假 --> y
>>> 3 or 4
3
>>> 3 or 0
3
>>> 0 or 3
3
>>> '' or 0
0
如果 x and y 语句中x为假,即为x,否则为y
真 and 真 --> y
真 and 假 --> y
假 and 假 --> x
假 and 真 --> x
深层次理解:
由于or的特性是只要一个为真就判定为真,即判断x为真后,不用再来判断y。若x为假后才会判定y,所以是结果为y。 这样的话程序就能以最小的步数来执行并得到结果。
由于and的特性是只要一个为假就判定为假,即判断x为假后,不用再来判断y。若x为真后才会判定y,所以是结果为y。 这样的话程序就能以最小的步数来执行并得到结果。
标签:代码 nts 年龄 b2c 数据 验证 无限 http 输入
原文地址:https://www.cnblogs.com/lanhoo/p/9416389.html