如何在 python 中将字典键拆分为多个单独的键?

How to split dictionary keys into multiple separate keys in python?

在 Python 中,我使用 RRDTool Python 包装器将值存储到 RRD-Database 中/从中读取值。

Python 的 RRDTool 是 rrdtool 的 C-based 源代码/command-line 实用程序的包装器。

创建数据库后,我想使用 python 命令读出它的 header:

header_info = rrdtool.info('database_file_name.rrd') 

相当于命令行工具:

rrdtool info database_file_name.rd

并且会像这样打印 header-infos:

filename = "database_file_name.rrd"
rrd_version = 5
...
ds[datasource_identifier_1].index = 0
ds[datasource_identifier_1].type = "GAUGE"
...
ds[datasource_identifier_2].index = 1
ds[datasource_identifier_2].type = "GAUGE"
...

在 python 中,命令行工具的输出被包装在具有以下架构的单个大字典中:

key: value
"filename" : "database_file_name.rrd"
"ds[datasource_identifier_1].index" : "0"
"ds[datasource_identifier_2].type" : "GAUGE"

我现在想弄清楚如何拆分该词典,以便我可以像这样访问它:

index = dictionary["ds"]["datasource_identifier_1"]["index"]

但我不知道如何使用 python 来做到这一点。我想这可以通过对原始字典进行迭代并使用“[”,“]”和“。”拆分这些键来完成。作为触发器然后创建一个新字典。

我如何在 Python 中做到这一点?

我们需要解析键以查看它们是否类似于 ds[some_identifier].type 等等

def process_dict(dictionary):
    import re    
    rgx = re.compile(r"^(ds)\[(.+?)\]\.(index|type)$")

    processed = {}

    for k, v in dictionary.items():
        # does k have the format ds[some_key].index etc
        m = rgx.search(k)
        if m:
            # create the embedded path
            ds, ident, attr = m.groups()
            processed.setdefault(ds, {}).setdefault(ident, {})[attr] = v
        else:
            processed[k] = v

    return processed