34

我正在尝试创建一个通用函数来替换嵌套字典键中的点。我有一个非泛型函数,深度为 3 级,但必须有一种方法来实现这个泛型。任何帮助表示赞赏!到目前为止我的代码:

output = {'key1': {'key2': 'value2', 'key3': {'key4 with a .': 'value4', 'key5 with a .': 'value5'}}} 

def print_dict(d):
    new = {}
    for key,value in d.items():
        new[key.replace(".", "-")] = {}
        if isinstance(value, dict):
            for key2, value2 in value.items():
                new[key][key2] = {}
                if isinstance(value2, dict):
                    for key3, value3 in value2.items():
                        new[key][key2][key3.replace(".", "-")] = value3
                else:
                    new[key][key2.replace(".", "-")] = value2
        else:
            new[key] = value
    return new

print print_dict(output)

更新:为了回答我自己的问题,我使用 json object_hooks 做了一个解决方案:

import json

def remove_dots(obj):
    for key in obj.keys():
        new_key = key.replace(".","-")
        if new_key != key:
            obj[new_key] = obj[key]
            del obj[key]
    return obj

output = {'key1': {'key2': 'value2', 'key3': {'key4 with a .': 'value4', 'key5 with a .': 'value5'}}}
new_json = json.loads(json.dumps(output), object_hook=remove_dots) 

print new_json
4

9 回答 9

44

是的,有更好的方法:

def print_dict(d):
    new = {}
    for k, v in d.iteritems():
        if isinstance(v, dict):
            v = print_dict(v)
        new[k.replace('.', '-')] = v
    return new

(编辑:这是递归,更多关于维基百科。)

于 2012-07-28T11:58:01.453 回答
20

实际上,所有答案都包含一个错误,可能导致结果输入错误。

我会接受@ngenain 的答案并在下面稍微改进一下。

我的解决方案将关注从dict( OrderedDict, defaultdict, 等) 派生的类型,并且不仅关注list,还关注settuple类型。

我还在函数的开头对最常见的类型进行了简单的类型检查,以减少比较次数(在大量数据中可能会加快速度)。

适用于 Python 3。替换obj.items()obj.iteritems()Py2。

def change_keys(obj, convert):
    """
    Recursively goes through the dictionary obj and replaces keys with the convert function.
    """
    if isinstance(obj, (str, int, float)):
        return obj
    if isinstance(obj, dict):
        new = obj.__class__()
        for k, v in obj.items():
            new[convert(k)] = change_keys(v, convert)
    elif isinstance(obj, (list, set, tuple)):
        new = obj.__class__(change_keys(v, convert) for v in obj)
    else:
        return obj
    return new

如果我理解正确的需求,大多数用户都希望转换键以将它们与不允许键名中的点的 mongoDB 一起使用。

于 2016-07-08T15:06:52.243 回答
7

我使用了@horejsek 的代码,但我对其进行了调整以接受带有列表的嵌套字典和一个替换字符串的函数。

我有一个类似的问题要解决:我想将下划线小写约定中的键替换为骆驼大小写约定,反之亦然。

def change_dict_naming_convention(d, convert_function):
    """
    Convert a nested dictionary from one convention to another.
    Args:
        d (dict): dictionary (nested or not) to be converted.
        convert_function (func): function that takes the string in one convention and returns it in the other one.
    Returns:
        Dictionary with the new keys.
    """
    new = {}
    for k, v in d.iteritems():
        new_v = v
        if isinstance(v, dict):
            new_v = change_dict_naming_convention(v, convert_function)
        elif isinstance(v, list):
            new_v = list()
            for x in v:
                new_v.append(change_dict_naming_convention(x, convert_function))
        new[convert_function(k)] = new_v
    return new
于 2015-11-12T09:43:46.450 回答
7

这是一个处理嵌套列表和字典的简单递归解决方案。

def change_keys(obj, convert):
    """
    Recursivly goes through the dictionnary obj and replaces keys with the convert function.
    """
    if isinstance(obj, dict):
        new = {}
        for k, v in obj.iteritems():
            new[convert(k)] = change_keys(v, convert)
    elif isinstance(obj, list):
        new = []
        for v in obj:
            new.append(change_keys(v, convert))
    else:
        return obj
    return new
于 2016-02-10T10:55:34.357 回答
2

您必须删除原始键,但不能在循环体中执行此操作,因为它会在迭代期间抛出 RunTimeError: dictionary changed size。

为了解决这个问题,迭代原始对象的副本,但修改原始对象:

def change_keys(obj):
    new_obj = obj
    for k in new_obj:
            if hasattr(obj[k], '__getitem__'):
                    change_keys(obj[k])
            if '.' in k:
                    obj[k.replace('.', '$')] = obj[k]
                    del obj[k]

>>> foo = {'foo': {'bar': {'baz.121': 1}}}
>>> change_keys(foo)
>>> foo
{'foo': {'bar': {'baz$121': 1}}}
于 2014-01-31T23:57:31.190 回答
0

虽然 jllopezpino 的答案有效,但仅限于以字典开头,但这是我的,与原始变量一起使用的是列表或字典。

def fix_camel_cases(data):
    def convert(name):
        # https://stackoverflow.com/questions/1175208/elegant-python-function-to-convert-camelcase-to-snake-case
        s1 = re.sub('(.)([A-Z][a-z]+)', r'\1_\2', name)
        return re.sub('([a-z0-9])([A-Z])', r'\1_\2', s1).lower()

    if isinstance(data, dict):
        new_dict = {}
        for key, value in data.items():
            value = fix_camel_cases(value)
            snake_key = convert(key)
            new_dict[snake_key] = value
        return new_dict

    if isinstance(data, list):
        new_list = []
        for value in data:
            new_list.append(fix_camel_cases(value))
        return new_list

    return data
于 2017-08-10T23:34:26.657 回答
0

这是 @horejsek 的答案的 1-liner 变体,对喜欢的人使用 dict 理解:

def print_dict(d):
    return {k.replace('.', '-'): print_dict(v) for k, v in d.items()} if isinstance(d, dict) else d

我只在 Python 2.7 中测试过这个

于 2018-12-02T18:48:48.920 回答
0

您可以通过整个字符串将所有内容转储到 JSON 替换并重新加载 JSON

def nested_replace(data, old, new):
    json_string = json.dumps(data)
    replaced = json_string.replace(old, new)
    fixed_json = json.loads(replaced)
    return fixed_json

或使用单线

def short_replace(data, old, new):
    return json.loads(json.dumps(data).replace(old, new))
于 2019-07-10T10:47:57.630 回答
0

我猜你和我有同样的问题,将字典插入到 MongoDB 集合中,在尝试插入包含点 (.) 键的字典时遇到异常。

此解决方案与此处的大多数其他答案基本相同,但它更紧​​凑,并且可能不太可读,因为它使用单个语句并递归调用自身。对于 Python 3。

def replace_keys(my_dict):
    return { k.replace('.', '(dot)'): replace_keys(v) if type(v) == dict else v for k, v in my_dict.items() }
于 2021-05-27T08:43:00.417 回答