简体   繁体   English

Python 嵌套字典与列表(或列表与字典)到 CSV output 的平面字典列表

[英]Python nested dict with lists (or list with dicts) to list of flat dicts for CSV output

I tried searching for similar questions but non of the ones I found do quite what I need.我尝试搜索类似的问题,但我发现的问题都不是我需要的。

I am trying to build a generic function that can take the 2 arguments:我正在尝试构建一个可以采用 2 arguments 的通用 function:

  1. The object structure object结构
  2. A list of (nested) paths (嵌套)路径列表

and convert all of the given paths to a list of flat dictionaries, suitable for outputting in CSV format.并将所有给定的路径转换为平面字典列表,适合以 CSV 格式输出。

So for example if I have a structure such as:例如,如果我有一个结构,例如:

structure = {
    "configs": [
        {
            "name": "config_name",
            "id": 1,
            "parameters": [
                {
                    "name": "param name",
                    "description": "my description",
                    "type": "mytype",
                },
                {
                    "name": "test",
                    "description": "description 2",
                    "type": "myothertype",
                    "somedata": [
                        'data',
                        'data2'
                    ]
                }
            ]
        },
        {
            "name": "config_name2",
            "id": 2,
            "parameters": [
                {
                    "name": "param name",
                    "description": "my description",
                    "type": "mytype2",
                    "somedata": [
                        'data',
                        'data2'
                    ]
                },
                {
                    "name": "test",
                    "description": "description 2",
                    "type": "myothertype2",
                }
            ]
        }
    ]
}

And pass the following list of paths:并传递以下路径列表:

paths = [
'configs.name', # notice the list structure is omitted (i.e it should be 'configs.XXX.name' where XXX is the elem id). This means I want the name entry of every dict that is in the list of configs
'configs.0.id', # similar to the above but this time I want the ID only from the first config
'configs.parameters.type' # I want the type entry of every parameter of every config
]

From this, the function should generate a list of flat dictionaries.由此,function 应生成平面字典列表。 Each entry in the list corresponds to a single row of the CSV.列表中的每个条目对应于 CSV 的单行。 Each flat dictionary contains all of the selected paths.每个平面字典都包含所有选定的路径。

So for example in this case I should see:因此,例如在这种情况下,我应该看到:

result = [
{"configs.name": "config_name", "configs.0.id": 1, "configs.parameters.type": "mytype"},
{"configs.name": "config_name", "configs.0.id": 1, "configs.parameters.type": "myothertype"},
{"configs.name": "config_name2", "configs.parameters.type": "mytype2"},
{"configs.name": "config_name2", "configs.parameters.type": "myothertype2"}
]

It needs to be able to do this for any structure passed, that contains nested dicts and lists.它需要能够对传递的任何结构执行此操作,其中包含嵌套的字典和列表。

You can build a lookup function that searches for values based on your rules ( get_val ).您可以构建一个查找 function 根据您的规则 ( get_val ) 搜索值。 Additionally, this function takes in a match list ( match ) of valid indices which tells the function to only traverse sublists in the dictionary that have a matching index.此外,此 function 接受有效索引的匹配列表( match ),它告诉 function 仅遍历字典中具有匹配索引的子列表。 This way, the search function can "learn" from previous searches and only return values based on the sublist positioning of previous searches:这样,搜索 function 可以从之前的搜索中“学习”,并且只返回基于之前搜索的子列表定位的值:

structure = {'configs': [{'name': 'config_name', 'id': 1, 'parameters': [{'name': 'param name', 'description': 'my description', 'type': 'mytype'}, {'name': 'test', 'description': 'description 2', 'type': 'myothertype', 'somedata': ['data', 'data2']}]}, {'name': 'config_name2', 'id': 2, 'parameters': [{'name': 'param name', 'description': 'my description', 'type': 'mytype2', 'somedata': ['data', 'data2']}, {'name': 'test', 'description': 'description 2', 'type': 'myothertype2'}]}]}
def get_val(d, rule, match = None, l_matches = []):
   if not rule:
      yield (l_matches, d)
   elif isinstance(d, list):
     if rule[0].isdigit() and (match is None or match[0] == int(rule[0])):
        yield from get_val(d[int(rule[0])], rule[1:], match=match if match is None else match[1:], l_matches=l_matches+[int(rule[0])])
     elif match is None or not rule[0].isdigit():
         for i, a in enumerate(d):
            if not match or i == match[0]:
               yield from get_val(a, rule, match=match if match is None else match[1:], l_matches = l_matches+[i])
   else:
      yield from get_val(d[rule[0]], rule[1:], match = match, l_matches = l_matches)

def evaluate(paths, struct, val = {}, rule = None):
   if not paths:
      yield val
   else:
      k = list(get_val(struct, paths[0].split('.'), match = rule))
      if k:
         for a, b in k:
            yield from evaluate(paths[1:], struct, val={**val, paths[0]:b}, rule = a)
      else:
         yield from evaluate(paths[1:], struct, val=val, rule = rule)

paths = ['configs.name', 'configs.0.id', 'configs.parameters.type']
print(list(evaluate(paths, structure)))

Output: Output:

[{'configs.name': 'config_name', 'configs.0.id': 1, 'configs.parameters.type': 'mytype'}, 
 {'configs.name': 'config_name', 'configs.0.id': 1, 'configs.parameters.type': 'myothertype'}, 
 {'configs.name': 'config_name2', 'configs.parameters.type': 'mytype2'}, 
 {'configs.name': 'config_name2', 'configs.parameters.type': 'myothertype2'}]

Edit: it is best to sort your input paths by path depth in the tree:编辑:最好按树中的路径深度对输入路径进行排序:

def get_depth(d, path, c = 0):
   if not path:
      yield c
   elif isinstance(d, dict) or path[0].isdigit():
      yield from get_depth(d[path[0] if isinstance(d, dict) else int(path[0])], path[1:], c+1)
   else:
      yield from [i for b in d for i in get_depth(b, path, c)]

This function will find the depth in the tree at which the path's target value exists.这个 function 将在树中找到路径目标值所在的深度。 Then, to apply to the main code:然后,应用到主代码:

structure = {'configs': [{'id': 1, 'name': 'declaration', 'parameters': [{'int-param': 0, 'description': 'decription1', 'name': 'name1', 'type': 'mytype1'}, {'int-param': 1, 'description': 'description2', 'list-param': ['param0'], 'name': 'name2', 'type': 'mytype2'}]}]}
paths1 = ['configs.id', 'configs.parameters.name', 'configs.parameters.int-param']
paths2 = ['configs.parameters.name', 'configs.id', 'configs.parameters.int-param']
print(list(evaluate(sorted(paths1, key=lambda x:max(get_depth(structure, x.split('.')))), structure)))
print(list(evaluate(sorted(paths2, key=lambda x:max(get_depth(structure, x.split('.')))), structure)))

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM