我尝试检查变量是否是任何类型的实例(int
,float
,Fraction
,Decimal
等。)。
我提出了这个问题及其答案:How to properly use python's isinstance() to check if a variable is a number?
但是,我想排除复杂的数字,例如1j
。
课程numbers.Real
看起来很完美,但它会为Decimal
数字返回False
...
from numbers Real
from decimal import Decimal
print(isinstance(Decimal(1), Real))
# False
相反,它适用于Fraction(1)
例如。
documentation描述了一些应该与数字一起使用的操作,我在十进制实例上没有任何错误地测试它们。 此外,十进制对象不能包含复数。
那么,为什么isinstance(Decimal(1), Real)
会返回False
?
答案 0 :(得分:11)
所以,我直接在cpython/numbers.py
的源代码中找到了答案:
## Notes on Decimal
## ----------------
## Decimal has all of the methods specified by the Real abc, but it should
## not be registered as a Real because decimals do not interoperate with
## binary floats (i.e. Decimal('3.14') + 2.71828 is undefined). But,
## abstract reals are expected to interoperate (i.e. R1 + R2 should be
## expected to work if R1 and R2 are both Reals).
确实,将Decimal
添加到float
会产生TypeError
。
在我看来,这违反了最不惊讶的原则,但这并不重要。
作为解决方法,我使用:
import numbers
import decimal
Real = (numbers.Real, decimal.Decimal)
print(isinstance(decimal.Decimal(1), Real))
# True