我遇到了isinstance()
的问题。
我正在使用Python 2.7.8,并从shell运行脚本。
我正在测试的array
元素包含一个数字,但此函数返回false;使用number.Numbers
:
import numbers
...
print array[x][i]
>> 1
...
print isinstance(array[x][i], numbers.Number)
>>> False
尝试了这一点
import types
...
print isinstance(array[x][i], (types.IntType, types.LongType, types.FloatType, types.ComplexType))
>>> False
在同一篇文章中,我尝试了
isinstance(array[x][i], (int, float, long, complex))
我也试过this solution没有用。
全部返回false。
答案 0 :(得分:6)
你没有号码;你很可能有一个字符串,包含数字'1'
:
>>> value = '1'
>>> print value
1
>>> print 1
1
这不是一个数字;它是一个字符串。请注意,打印该字符串与打印整数无法区分。
使用repr()
代替打印 Python表示,和/或使用type()
function为给定值生成类型对象:
>>> print repr(value)
'1'
>>> print type(value)
<type 'str'>
现在很清楚,该值是一个字符串,而不是一个整数,即使它在打印时看起来相同。
对于实际数值,isinstance()
和numbers.Number
一起按预期工作:
>>> from numbers import Number
>>> isinstance(value, Number)
False
>>> isinstance(1, Number)
True