math-模块

import math

print(dir(math))
# ['__doc__', '__loader__', '__name__', '__package__', '__spec__', 'acos',
# 'acosh', 'asin', 'asinh', 'atan', 'atan2', 'atanh', 'ceil', 'copysign',
# 'cos', 'cosh', 'degrees', 'e', 'erf', 'erfc', 'exp', 'expm1', 'fabs', 'factorial',
# 'floor', 'fmod', 'frexp', 'fsum', 'gamma', 'gcd', 'hypot', 'inf', 'isclose',
# 'isfinite', 'isinf', 'isnan', 'ldexp', 'lgamma', 'log', 'log10', 'log1p',
# 'log2', 'modf', 'nan', 'pi', 'pow', 'radians', 'remainder', 'sin', 'sinh',
# 'sqrt', 'tan', 'tanh', 'tau', 'trunc']

向上取整 math.ceil()

print(math.ceil(4.1))
# 5

向下取整math.floor()

print(math.floor(4.99))
# 4

math.copysign(x, y) 将y的正负号加到x前面,可以使用0

print(math.copysign(2, -1))
print(math.copysign(-1, -1))
print(math.copysign(-1, 2))
print(math.copysign(1, 0))

# -2.0
# -1.0
# 1.0
# 1.0

math.cos(弧度)求x的余弦,x必须是弧度

print(math.cos(math.pi/4))
# 0.7071067811865476

math.degrees(弧度) 把x从弧度转换成角度

print(math.degrees(math.pi/4))
# 45.0

math.e e表示一个常量

print(math.e)
# 2.718281828459045

math.exp()返回math.e(其值为2.71828)的x次方

print(math.exp(2))
# 7.38905609893065

expm1()返回math.e的x(其值为2.71828)次方的值减1

print(math.expm1(2))
# 6.38905609893065

fabs()返回x的绝对值

print(math.fabs(-0.6))
# 0.6

actorial()取x的阶乘的值

print(math.factorial(3))
# 6

fmod()得到x/y的余数,其值是一个浮点数

print(math.fmod(20, 3))
# 2.0

math.frexp()返回一个元组(m,e),其计算方式为:x分别除0.5和1,得到一个值的范围,2e的值在这个范围内,e取符合要求的最大整数值,然后x/(2e),得到m的值。如果x等于0,则m和e的值都为0,m的绝对值的范围为(0.5,1)之间,不包括0.5和1

print(math.frexp(75))
# (0.5859375, 7)

math.fsum()对迭代器里的每个元素进行求和操作

print(math.fsum((1, 2, 3, 4)))
# 10.0

math.gcd(x, y)返回x和y的最大公约数

print(math.gcd(5, 9))
# 1

math.hypot(x, y)得到(x^2 + y^2)开平方根的值

print(math.hypot(3, 4))
# 5.0

math.isfinite()如果x不是无穷大的数字,则返回True,否则返回False

print(math.isfinite(0.2))
# True

math.isinf()如果x是正无穷大或负无穷大,则返回True,否则返回False

print(math.isinf(235))
# False

math.isnan()如果x不是数字返回True,否则返回False

print(math.isnan(5))
# False

math.ldexp()返回x(2*i)的值

print(math.ldexp(3, 3))
# 24.0

math.log(x,a) 如果不指定a,则默认以e为基数,a参数给定时,将 x 以a为底的对数返回。

print(math.log(math.e))
# 1.0
print(math.log(32, 2))
# 5.0

math.log10(x) 返回x以10为底的对数

print(math.log10(10))
# 1.0

math.log2(x)返回x以2为底对数

print(math.log2(2))
# 1.0

math.modf()返回由x的小数部分和整数部分组成的元组

print(math.modf(math.pi))
# (0.14159265358979312, 3.0)

math.pow(x, y)返回x的y次方,即x**y

print(math.pow(3, 2))
# 9.0

math.radians()把角度x转换成弧度

print(math.radians(45))
# 0.7853981633974483

math.sin(x)求x(x为弧度)的正弦值

print(math.sin(math.pi/4))
# 0.7071067811865476

math.sqrt()求x的平方根

print(math.sqrt(100))
# 10.0

math.tan()返回x(x为弧度)的正切值

print(math.tan(math.pi/4))
# 0.9999999999999999

math.trunc()返回x的整数部分

print(math.trunc(6.156))
# 6

你可能感兴趣的:(math-模块)