Skip to content

数学函数

abs()

abs(x) 返回 intfloatcomplex 类型数字 x 的绝对值或大小。

python
>>> abs(-2.3)
2.3
>>> abs(-10)
10
>>> abs(2 + 2j) # 复数的模
2.8284271247461903

round()

round(x [,ndigits])x (float) 四舍五入到小数点后 ndigits 位精度。

如果未提供 ndigits,则四舍五入到最接近的整数。对于恰好在两个整数中间的值 (如 2.5),Python 3 会舍入到最近的偶数 (round half to even)。

python
>>> round(2.33462398)
2
>>> round(2.33462398, 3)
2.335
>>> round(2.5)
2
>>> round(3.5)
4

sum()

sum(sequence [,start]) 返回 listtuplerangeset 类型 sequence 中项的总和。

如果提供了第二个参数 start,则将其加到总和中。

python
>>> sum([1, 2, -1])
2
>>> sum((1, 2, -1))
2
>>> sum([1, 2, -1], 10)
12

min()

min(sequence) 返回 listtuplerangestrset 类型 sequence 中项的最小值。

除了可迭代对象,min(arg1, arg2, ..) 还接受多个数字类型的参数 arg1, arg2 .. 并返回这些参数中的最小值。

python
>>> min([1, 2, -1])
-1
>>> min(1, 2, -1)
-1

#字符串中 ASCII 值最小的字符
>>> min("hello")
'e'

max()

max(sequence) 返回 listtuplerangestrset 类型 sequence 中项的最大值。

除了可迭代对象,max(arg1, arg2, ..) 还接受多个数字类型的参数 arg1, arg2 .. 并返回这些参数中的最大值。

python
>>> max([1, 2, -1])
2
>>> max(1, 2, -1)
2

#字符串中 ASCII 值最大的字符
>>> max("hello")
'o'

pow()

pow(base, exp [,mod])base (int, float) 提升到 exp (int, float) 的幂,即 base**exp

如果提供了 mod (int),则返回 (base**exp) % mod

python
>>> pow(3, 2, 7)
2 # (3**2) % 7 = 9 % 7 = 2
>>> pow(1.4141, 2)
1.9996788099999998

divmod()

divmod(a, b) 返回一个元组 (a // b, a % b),包含 a (int, float) 除以 b (int, float) 时的商和余数。

python
>>> divmod(23, 3.5)
(6.0, 2.0) # 23 = 6.0 * 3.5 + 2.0
>>> divmod(-10, 7)
(-2, 4) # -10 = -2 * 7 + 4