0

辞書のリストとして価値のある辞書で操作を実行する必要があります

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

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

キーにコンマ'、'で区切られた2つの値を持つリストの最初の辞書を、リスト内の2つの別々の辞書に分割するにはどうすればよいですか。すなわち、上記の辞書は次のようになります

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' 
                     }
                    ]
                  }

いいえの場合はどうなりますか。分割の数は定かではありませんか?私がそれを手伝うことができれば

4

2 に答える 2

1

ディクショナリの要素を繰り返し処理し、値に基づいて 2 つの新しいディクショナリを作成できます。次に、リスト内の適切な辞書を 2 つの新しい辞書に置き換えます。

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])
于 2013-03-03T14:35:12.897 に答える
0

I think this solution is more robust, since it works for arbitrary numbers of comma seperated values for both keys.

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

By the way, I think it might be more appropriate/convenient to store those values not as comma seperated string but as tuples ('A', 'B', 'C'). You would not need the string operations then (split() and strip()).

于 2013-03-04T12:10:01.113 に答える