这里将详细介绍python中一元操作符的用法
注意:这里的所有操作符均需要提前导入operator模块, 且#后面的内容为打印结果。
__pos__(self):相当于+object操作。
代码如下:
import operatorclass Debug:
def __init__(self):
self.num1 = 5
self.num2 = -5
# debug
main = Debug()
print(operator.__pos__(main.num1)) # 5
print(operator.__pos__(main.num2)) # -5
可以看到无论是5还是-5所得到的值均为他们本身,因为+ 5 = 5, + -5 = -5。
__neg__(self):相当于-object操作。
代码如下:
class Debug:
def __init__(self):
self.num1 = 5
self.num2 = -5
# debug
main = Debug()
print(operator.__neg__(main.num1)) # -5
print(operator.__neg__(main.num2)) # 5
可以看到当输入为是5时,输出为-5,输入为-5时,输出为5,因为- 5 = - 5, - -5 = 5。
__abs__(self):相当于绝对值操作。
import operatorclass Debug:
def __init__(self):
self.num1 = 5
self.num2 = -5
# debug
main = Debug()
print(operator.__abs__(main.num1)) # 5
print(operator.__abs__(main.num2)) # 5
__invert__(self):相当于~运算符,二进制中按位取反,类似于-x-1。
import operatorclass Debug:
def __init__(self):
self.num1 = 5
self.num2 = -5
# debug
main = Debug()
print(operator.__invert__(main.num1)) # -6
print(operator.__invert__(main.num2)) # 4
__round__(self, n): 相当于round()函数,四舍五入的一种近似运算。
NB:此时不再需要导入operator模块。
def __init__(self):
self.num1 = 5.4
self.num2 = 5.5
self.num3 = -5.4
self.num4 = -5.5
# debug
main = Debug()
print(main.num1.__round__()) # 5
print(main.num2.__round__()) # 6
print(main.num3.__round__()) # -5
print(main.num4.__round__()) # -6
__floor__(self): 相当于math.floor()函数,向下近似。
Tips: 在英语总floor为地板的意思,因此是向下近似。
NB: 这里我们需要导入math模块。
class Debug:
def __init__(self):
self.num1 = 5.4
self.num2 = 5.5
self.num3 = -5.4
self.num4 = -5.5
# debug
main = Debug()
print(math.floor(main.num1)) # 5
print(math.floor(main.num2)) # 5
print(math.floor(main.num3)) # -6
print(math.floor(main.num4)) # -6
__ceil__(self): 相当于math.ceil()函数,向上近似。
Tips: 在英语总ceil为天花板的意思,因此是向上近似。
class Debug:
def __init__(self):
self.num1 = 5.4
self.num2 = 5.5
self.num3 = -5.4
self.num4 = -5.5
# debug
main = Debug()
print(math.ceil(main.num1)) # 6
print(math.ceil(main.num2)) # 6
print(math.ceil(main.num3)) # -5
print(math.ceil(main.num4)) # -5
__trunc__(self): 相当于math.trunc()函数,可以理解为math.floor()函数与math.ceil()函数的结合,负数部分取最近邻大数,正数部分取最近邻小数。返回截断的整数的实数值。
NB: 第二种形式无需导入math模块。
class Debug:
def __init__(self):
self.num1 = 5.4
self.num2 = 5.5
self.num3 = -5.4
self.num4 = -5.5
# debug
main = Debug()
print(math.trunc(main.num1)) # 6
print(math.trunc(main.num2)) # 6
print(math.trunc(main.num3)) # -5
print(math.trunc(main.num4)) # -5
# another form
class Debug:
def __init__(self):
self.num1 = 5.4
self.num2 = 5.5
self.num3 = -5.4
self.num4 = -5.5
# debug
main = Debug()
print(main.num1.__trunc__())
print(main.num2.__trunc__())
print(main.num3.__trunc__())
print(main.num4.__trunc__())