我有一个用例,我会在一个不一致的hirarchy中将复杂的词典作为输入。 一个用例如下所示:
pro : 1
rel : 1.2
del : demo
cb :{
a : b
}
cd : {
en : {
b : a
}
}
cc : {
a : b
}
我使用过这样的东西: -
def jsonToDict(data):
d = data
res = defaultdict(dict)
def dict2ini(d, root):
for k, v in d.items():
if isinstance(v, dict):
_key = '%s.%s' % (root, k) if root else k
if v:
dict2ini(v, _key)
else:
res[_key] = {}
elif isinstance(v, (str,int, float)):
res[root] = {k:v}
dict2ini(d, '')
config = configparser.RawConfigParser()
for key in sorted(res.keys()):
config.add_section(key)
for subKey, value in res[key].items():
config.set(key, subKey, value)
with open('example.ini', 'w') as configfile:
config.write(configfile)
但上面没有处理我的dict中存在的所有值,只处理每个部分中的第一行。我经历了[ConfigParser] [1]。但我无法找到我的用例的解决方案可以有人建议我一些解决方法这也请注意上面的数据没有修复它将根据我们的需要改变。
示例INI:
pro = 1
rel = 1.2
del = demo
[cb]
a=b
[cd.en]
b=a
## suppose if multiple data is present in cd then
[cd]
b=a
[cd.en]
b=a
## end
[cc]
a=b
答案 0 :(得分:1)
首先,仔细查看您的代码。在dict2ini
中,您遍历d
中的项目列表:
for k, v in d.items():
如果v
是标量值,则将其添加到res
字典中......但您始终使用相同的密钥:
elif isinstance(v, (str, int, float)):
res[root] = {k: v}
因此,对于字典中的每个项目,您将覆盖以前的res[root]
值。通过一些小的改动,我认为你会更接近你想要的东西:
def dict2ini(d, root):
section = res[root]
for k, v in d.items():
if isinstance(v, dict):
_key = '%s.%s' % (root, k) if root else k
if v:
dict2ini(v, _key)
else:
section[_key] = {}
elif isinstance(v, (str,int, float)):
section[k] = v
dict2ini(d, '')
这给了我输出:
[DEFAULT]
pro = 1
del = demo
rel = 1.2
[]
[cb]
a = b
[cc]
a = b
[cd]
[cd.en]
b = a
你显然还有一些额外的东西需要解决,但希望这会让你朝着正确的方向前进。