变量的命名规则
单行注释用#,多行注释用三个单引号或三个双引号 ”’被注释的内容”’
另外,三个引号也可用于输入多行代码
msg = """a1
a2
a3
"""
output
a1
a2
a3
在python中,缩进级别必须保持一致,并且不要直接使用tab缩进
and,且,并且
只有两个条件全部为True的时候, 结果才会为True
例如 1 and 0
为False,1 and 1
为True
And | True | False |
---|---|---|
True | True | False |
False | False | False |
or ,或,或者
只要有一个条件为True,则结果为Ture
例如1 or 0
为True,1 or 1
为True
Or | True | False |
---|---|---|
True | True | True |
False | True | False |
not,不
把False和True颠倒
例如not 5>3
为False,not 5<3
为True
短路原则
三个数字比大小
num1 = int(input("Enter number_1>> "))
num2 = int(input("Enter number_2>> "))
num3 = int(input("Enter number_3>> "))
if num1 >= num2:
if num1 > num3:
print('Max number is', num1)
else:
print('Max number is', num3)
else:
if num2 > num3:
print('Max number is', num2)
else:
print('Max number is', num3)
output
Enter number_1>> 4
Enter number_2>> 76
Enter number_3>> 55
Max number is 76
根据用户需求输出#阵列
height = int(input("Height = "))
width = int(input("Width = "))#输入长宽
num_height = 1
while num_height <= height:
num_width = 1
while num_width <= width:
print("#", end='')#反复输出#
num_width += 1
num_height += 1
print()
输出倒三角形或三角形
line = int(input("Line ? "))
while line>0:
tmp = line
while tmp>0:
print("*", end=(''))
tmp -= 1
print("")
line -= 1
output
Line ? 5
*****
****
***
**
*
line = int(input("Line ? "))
line_2 = 1
while line_2<=line:
tmp = 1
while tmp <= line_2:
print("*", end=(''))
tmp += 1
print("")
line_2 += 1
output
Line ? 6
*
**
***
****
*****
******
九九乘法表
- 从大到小
first = 9
second = 9
while first > 0:
while second > 0:
tmp = first * second
print(str(first)+"*"+str(second)+"="+str(tmp), end=" ")
second -= 1
first -= 1
second = first
print('')
output
9*9=81 9*8=72 9*7=63 9*6=54 9*5=45 9*4=36 9*3=27 9*2=18 9*1=9
8*8=64 8*7=56 8*6=48 8*5=40 8*4=32 8*3=24 8*2=16 8*1=8
7*7=49 7*6=42 7*5=35 7*4=28 7*3=21 7*2=14 7*1=7
6*6=36 6*5=30 6*4=24 6*3=18 6*2=12 6*1=6
5*5=25 5*4=20 5*3=15 5*2=10 5*1=5
4*4=16 4*3=12 4*2=8 4*1=4
3*3=9 3*2=6 3*1=3
2*2=4 2*1=2
1*1=1
-从小到大
first = 1
while first <= 9:
second = 1
while second <= first:
tmp = first * second
print(str(first)+"*"+str(second)+"="+str(tmp), end=" ")
second += 1
first += 1
print('')
output
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