将列表中的字典条目拆分为两个

时间:2013-03-03 13:52:14

标签: python list dictionary python-2.7

需要在字典中执行操作,该字典具有作为字典列表的值

 my_dicts = 
           {"A": [
                 { 'key1 a' : 'value1',
                   'key2 a' : 'A, B, C' 
                 },

                 { 'key1 a' : 'value3',  
                   'key2 a' : 'D, E' 
                 }
                ]
              }

如何将列表中的第一个字典拆分为两个单独的字典,其中键的两个值用逗号','分隔。 即上面的字典变得像

my_dicts = 
               {"A": [
                     { 'key1 a' : 'value1',
                       'key2 a' : 'A' 
                     },

                     { 'key1 a' : 'value1',
                       'key2 a' : 'B' 
                     },

                     { 'key1 a' : 'value1',
                       'key2 a' : 'C' 
                     },

                     { 'key1 a' : 'value3',  
                       'key2 a' : 'D' 
                     }

                      { 'key1 a' : 'value3',  
                       'key2 a' : 'E' 
                     }
                    ]
                  }

如果没有。分裂不确定?如果我能得到帮助

2 个答案:

答案 0 :(得分:1)

您可以迭代字典的元素,并根据值创建两个新的字典。然后用两个新的字典替换列表中的相应字典:

def splitdict(orig):
    dict1 = {}
    dict2 = {}
    for key, value in orig.items():
        words = value.split(",")
        if len(words) == 2:
            dict1[key] = words[0]
            dict2[key] = words[1]
        else:
            dict1[key] = value
            dict2[key] = value
    return dict1, dict2

my_dicts["A"][0:1] = splitdict(my_dicts["A"][0])

答案 1 :(得分:0)

我认为这个解决方案更加健壮,因为它适用于两个键的任意数量的逗号分隔值。

def permutateMap(X):
    result = []
    for key, value in X.items():
        splitted = value.split(',')
        if len(splitted) > 1:
            for s in splitted:
                new_dict = X.copy()
                new_dict[key] = s.strip()
                result += [new_dict]
            return splitList(result)
    return [X]

def splitList(X):
    result = []
    for entry in X:
        result += permutateMap(entry)
    return result


my_dicts = {"A": [
            { 'key1 a' : 'value1, value2', 
              'key2 a' : 'A, B, C' }, 
            { 'key1 a' : 'value3',  
              'key2 a' : 'D, E' }]}

new_dict = {}
for key, value in my_dicts.items():
    new_dict[key] = splitList(value)

print new_dict

顺便说一句,我认为将这些值存储为逗号分隔字符串而不是元组('A', 'B', 'C')可能更合适/更方便。您不需要字符串操作(split()strip())。