Python内建函数
四舍五入: round()
绝对值: abs()
>>> round(1.543,2) 保留两位小数,四舍五入为1.54
1.54
>>> round(1.546,2) 保留两位小数,四舍五入为1.55
1.55
>>> round(-1.536,2)
-1.54
>>> abs(5)
5
>>> abs(-5) 绝对值为5
5
math 模块
>>> import math 导入math模块
>>> math.pi math的pi函数
3.141592653589793
>>> dir(math) 利用dir 查看math中的函数
['__doc__', '__name__', '__package__', 'acos', 'acosh', 'asin', 'asinh', 'atan', 'atan2', 'atanh', 'ceil', 'copysign', 'cos', 'cosh', 'degrees', 'e', 'erf', 'erfc', 'exp', 'expm1', 'fabs', 'factorial', 'floor', 'fmod', 'frexp', 'fsum', 'gamma', 'hypot', 'isinf', 'isnan', 'ldexp', 'lgamma', 'log', 'log10', 'log1p', 'modf', 'pi', 'pow', 'radians', 'sin', 'sinh', 'sqrt', 'tan', 'tanh', 'trunc']
>>> help(math.fabs) 利用help 查看函数的详细内容
Help on built-in function fabs in module math: fabs(...)
fabs(x) Return the absolute value of the float x. 返回浮点数x的绝对值 >>>
>>> math.sqrt(9) 计算开平方
3.0
>>> math.floor(3.14) 地板,将某一个位置之后的全部取消掉
3.0
>>> math.floor(3.66)
3.0
>>> math.fabs(2) 计算绝对值
2.0
>>> math.fmod(9,2) 计算余数
1.0
解决浮点数运算问题Decimal
>>> from decimal import Decimal 引入Decimal 模块
>>> a = Decimal("0.1")
>>> b = Decimal("0.8")
>>> a + b
Decimal('0.9')
>>> from decimal import Decimal as D as 别名
>>> a = D("0.1")
>>> b = D("0.8")
>>> a + b
Decimal('0.9')
>>>