Py学习  »  Python

在Python中,如何从点式json文件生成嵌套dict?

shenmufeng • 4 年前 • 357 次点击  

{
    "a": 0.7615894039735099,
    "a.b": 0.7152317880794702,
    "a.c": 0.026490066225165563
    "a.b.d": 0.0001

     "f": 0.002
     "f.g": 0.00003

     "h.p.q": 0.0004
}

说整个词叫做“根”

我想用这种方式

if "c" in root["a"] and if root["a"]["c"] > 0.0002:
   print("something")

非常感谢!

Python社区是高质量的Python/Django开发社区
本文地址:http://www.python88.com/topic/57036
 
357 次点击  
文章 [ 2 ]  |  最新文章 4 年前
Vivek Kundariya
Reply   •   1 楼
Vivek Kundariya    4 年前

请看下面的片段。


def merge(a, b, path=None):
    '''merges b into a'''
    if path is None: path = []
    for key in b:
        if key in a:
            if isinstance(a[key], dict) and isinstance(b[key], dict):
                merge(a[key], b[key], path + [str(key)])
            elif a[key] == b[key]:
                pass # same leaf value
            else:
                raise Exception('Conflict at %s' % '.'.join(path + [str(key)]))
        else:
            a[key] = b[key]
    return a


def convert_dotted_json(dottedJson):
    '''
    parameter
        dottedJson : dict type
    '''
    root = {}

    for key in dottedJson:
        split_key = key.split(".");
        split_key.reverse()
        value = dottedJson [key]
        curr = {split_key[0]: value};
        for ind in range(1, len(split_key)):
            curr = {split_key[ind]:curr}
        root = merge(root, curr)

    return root


test = {
    "a.b.c" : 0.026490066225165563,
    "a.b.d" : 0.0001,
    "f.g": 0.00003,
    "f.h": 0.00003,
    "h.p.q": 0.0004
}

# print(convert_dotted_json(test))

复制的 merge function Andrew Cook's 回答。

A. Rom
Reply   •   2 楼
A. Rom    4 年前

由于密钥是散列的-字符串密钥中存在或缺少点以及试图访问 root["a"]["c"] 会导致 TypeError 如前所述的例外情况。 代码大致如下:

root = {
    "a": 0.7615894039735099,
    "a.b": 0.7152317880794702,
    "a.c": 0.026490066225165563,
    "a.b.d": 0.0001,
    "f": 0.002,
    "f.g": 0.00003,
    "h.p.q": 0.0004
}

result = {}
for key, value in root.items():
     if not isinstance(key, str):
         result[key] = value
     is_nested = "." in key
     nesting_clash = any([k.startswith(key) for k in root if k != key])
     if nesting_clash:
         print(f"key {key} has nesting clash ; replacing with {key}._v")
         # continue # fixed after comment
         key = f"{key}._v"
         is_nested = True
     if not is_nested:
         result[key] = value
     key_parts = key.split(".")
     tmp = result
     for idx, key_part in enumerate(key_parts):
         default_value = {} if idx < len(key_parts) - 1 else value
         tmp[key_part] = tmp.get(key_part, default_value)
         tmp = tmp[key_part]

"a" "a.b" )或者为它们创建默认行为。在我的例子中,我决定放弃它们。

def unnest_dict(d, sep="."):
    result = {}
    for key, val in d.items():
        if not isinstance(val, dict):
            result[key] = val
            continue
        if "_v" in val:
            result[key] = val.pop("_v")
        unnested_val = unnest_dict(val, sep)
        for k, v in unnested_val.items():
            result[sep.join([key, k])] = v
    return result