1. (取底除法)底除(floor division)://
- 离给定值最近(比它小)的整数,如
- math.floor(3.5)=3; math.floor(-3.5)=-4
- 底除(floor)不是整除(trunc)
(1)主要考虑整数和浮点数两类数据。
- str和noneType无法进行该类运算
- bool类型意义不大
(2)floor VS //
math.floor()的返回值类型总是int
//有可能得到float类型值
import math
result = math.floor(10/3) ---- 3
result = 10//3 ---- 3
result = 10//3.0 ---- 3.0
(2) floor VS trunc
import math
result = math.floor(3.3) ---- 3
result = math.trunc(3.3) ---- 3
result = math.floor(-3.3) ---- -4
result = math.trunc(-3.3) ---- -3
2. 取余
- 余数 == X%Y == X- (X//Y)*Y
- x == (X//Y)*Y + (X%Y)
示例1:
result = 10%3 ---- 1
result = 10 - (10//3)*3 ---- 1
result = 10%-3 ---- -2
result = 10 - (10//-3)*-3 ---- -2
示例2:判定是否是偶数
x = 101
if x%2 == 0
print('Yes')
else:
print('No')
示例3: 走马灯程序
from time import sleep
x = -1
while True:
x = x+1
x = x%5
print(x+1) ---- 连续输出1~5
sleep(0.5)