Python将另存为字符串的OrderedDict转换为实际的字典

时间:2019-05-10 06:33:37

标签: python json ordereddict

我有一个Postgres数据库,其中OrderedDict已保存为字符串。我需要将此字符串转换为json / dict,以便可以将其保存在JSONField中。如何将该字符串转换为字典?

字符串示例-

OrderedDict([('order_id', 'xxxxxx'), ('tracking_id', 'xxxxxx'), ('bank_ref_no', 'xxxxx'), ('order_status', 'Success')])

我尝试了json.loads(string),但它给出了解码错误。除了手动解析字符串之外,还有其他解决方案吗?

3 个答案:

答案 0 :(得分:3)

您可以为此目的使用eval

from collections import OrderedDict
import json

x = "OrderedDict([('order_id', 'xxxxxx'), ('tracking_id', 'xxxxxx'), ('bank_ref_no', 'xxxxx'), ('order_status', 'Success')])"

#run string through eval and convert to dict
dct = dict(eval(x))
print(dct)

输出将为

{'order_id': 'xxxxxx', 'tracking_id': 'xxxxxx', 
'bank_ref_no': 'xxxxx', 'order_status': 'Success'}

答案 1 :(得分:3)

我知道您提到过您想要一个没有实际解析的解决方案,但是解析选项也可能非常简单:

import ast

a = "OrderedDict([('order_id', 'xxxxxx'), ('tracking_id', 'xxxxxx'), ('bank_ref_no', 'xxxxx'), ('order_status', 'Success')])"

# get the inner list representation
a = a.replace("OrderedDict(", '')
a = a[:-1]

# convert to a list of tuples
x = ast.literal_eval(a)

dict(x)

答案 2 :(得分:0)

另一种方法是使用Regex提取列表,然后使用ast模块。

例如:

import re
import ast
from collections import OrderedDict

s = """OrderedDict([('order_id', 'xxxxxx'), ('tracking_id', 'xxxxxx'), ('bank_ref_no', 'xxxxx'), ('order_status', 'Success')])"""

print(OrderedDict(ast.literal_eval(re.search(r"(?<=OrderedDict\()(.*)\)$", s).group(1))))

输出:

OrderedDict([('order_id', 'xxxxxx'), ('tracking_id', 'xxxxxx'), ('bank_ref_no', 'xxxxx'), ('order_status', 'Success')])