我有以下使用 jsonpickle 将 python 对象写入文件的简单方法:
def json_serialize(obj, filename, use_jsonpickle=True):
f = open(filename, 'w')
if use_jsonpickle:
import jsonpickle
json_obj = jsonpickle.encode(obj)
f.write(json_obj)
else:
simplejson.dump(obj, f)
f.close()
def json_load_file(filename, use_jsonpickle=True):
f = open(filename)
if use_jsonpickle:
import jsonpickle
json_str = f.read()
obj = jsonpickle.decode(json_str)
else:
obj = simplejson.load(f)
return obj
问题是,每当我使用这些时,它会将我的对象作为字典加载回来(具有如下字段:“py/object”:“my_module.MyClassName”),而不是作为用于生成的类型的实际 Python 对象json字符串。我怎样才能使它如此 jsonpickle 实际上将加载的字符串转换回对象?
为了举例说明这一点,请考虑以下内容:
class Foo:
def __init__(self, hello):
self.hello = hello
# make a Foo obj
obj = Foo("hello world")
obj_str = jsonpickle.encode(obj)
restored_obj = jsonpickle.decode(obj_str)
list_objects = [restored_obj]
# We now get a list with a dictionary, rather than
# a list containing a Foo object
print "list_objects: ", list_objects
这产生:
list_objects: [{'py/object': 'as_events.Foo', 'hello': 'hello world'}]
而不是类似:[Foo()]。我怎样才能解决这个问题?
谢谢。