我需要确定给定的Python变量是否是本机类型的实例:
str
、int
、float
、bool
、list
、dict
等。有优雅的方法吗?
或者这是唯一的方法:
if myvar in (str, int, float, bool):
# do something
这是一个老问题,但似乎没有一个答案真正回答了具体问题:“(如何)确定Python变量是否是内置类型的实例”。请注意,它不是“[...] 特定/给定内置类型”,而是a。
确定给定对象是否是内置类型/类的实例的正确方法是检查该对象的类型是否恰好在模块中定义__builtin__
。
def is_builtin_class_instance(obj):
return obj.__class__.__module__ == '__builtin__'
警告:如果
obj
是一个类而不是实例,无论该类是否内置,都将返回 True,因为类也是一个对象,是
type
的实例(即
AnyClass.__class__
)是
type
)。
primitiveTypes
的元组列表中,并且:
if isinstance(myvar, primitiveTypes): ...
模块包含所有重要类型的集合,可以帮助构建列表/元组。
type(theobject).__name__ in dir(__builtins__)
但是明确列出类型可能会更好,因为它更清晰。或者甚至更好:更改应用程序,这样您就不需要知道其中的区别。
更新:需要解决的问题是如何为对象(甚至是内置对象)制作序列化器。做到这一点的最好方法不是制作一个以不同方式对待内置函数的大序列化器,而是根据类型查找序列化器。
类似这样的:
def IntSerializer(theint):
return str(theint)
def StringSerializer(thestring):
return repr(thestring)
def MyOwnSerializer(value):
return "whatever"
serializers = {
int: IntSerializer,
str: StringSerializer,
mymodel.myclass: MyOwnSerializer,
}
def serialize(ob):
try:
return ob.serialize() #For objects that know they need to be serialized
except AttributeError:
# Look up the serializer amongst the serializer based on type.
# Default to using "repr" (works for most builtins).
return serializers.get(type(ob), repr)(ob)
通过这种方式,您可以轻松添加新的序列化器,并且代码易于维护且清晰,因为每种类型都有自己的序列化器。请注意,某些类型是内置的这一事实如何变得完全无关紧要。 :)
轻松完成的
try:
json.dumps( object )
except TypeError:
print "Can't convert", object
这比尝试猜测 JSON 实现处理哪些类型更可靠。
Duck Typing。
builtins module。方法如下:
import builtins
type(your_object).__name__ in dir(builtins)
allowed_modules = set(['numpy'])
def isprimitive(value):
return not hasattr(value, '__dict__') or \
value.__class__.__module__ in allowed_modules
此修复当 value 为模块时
value.__class__.__module__ == '__builtin__'
将失败。
types
模块访问所有这些类型:
`builtin_types = [ i for i in types.__dict__.values() if isinstance(i, type)]`
提醒一下,首先导入模块types
def isBuiltinTypes(var):
return type(var) in types.__dict__.values() and not isinstance(var, types.InstanceType)
from simplejson import JSONEncoder
class JSONEncodeAll(JSONEncoder):
def default(self, obj):
try:
return JSONEncoder.default(self, obj)
except TypeError:
## optionally
# try:
# # you'd have to add this per object, but if an object wants to do something
# # special then it can do whatever it wants
# return obj.__json__()
# except AttributeError:
##
# ...do whatever you are doing now...
# (which should be creating an object simplejson understands)
使用:
>>> json = JSONEncodeAll()
>>> json.encode(myObject)
# whatever myObject looks like when it passes through your serialization code
这些调用将使用您的特殊类,如果 simplejson 可以处理它会处理的对象。否则,您的包罗万象的功能将被触发,并且可能(取决于您是否使用可选部分)对象可以定义它自己的序列化
__dict__
成员(您也可以测试
__repr__
成员,而不是检查
__dict__
)其他答案提到检查
types.__dict__.values()
中的成员资格,但此列表中的某些类型正在上课。
def isnonclasstype(val):
return getattr(val,"__dict__", None) != None
a=2
print( isnonclasstype(a) )
a="aaa"
print( isnonclasstype(a) )
a=[1,2,3]
print( isnonclasstype(a) )
a={ "1": 1, "2" : 2 }
print( isnonclasstype(a) )
class Foo:
def __init__(self):
pass
a = Foo()
print( isnonclasstype(a) )
给我:
> python3 t.py
False
False
False
False
True
> python t.py
False
False
False
False
True
def isBuiltin(obj):
if type(obj)!=str and 'at 0x' in repr(obj):
# XXclass at 0x.... or XXobject
return False
return True
>>> a = 5
>>> type(a)
<type 'int'>