How to flatten nested python dictionaries?

后端 未结 4 509
清酒与你
清酒与你 2020-12-02 02:12

I\'m trying to flatten the nested dictionary:

dict1 = {
    \'Bob\': {
        \'shepherd\': [4, 6, 3],
        \'collie\': [23, 3, 45],
        \'poodle\':          


        
4条回答
  •  盖世英雄少女心
    2020-12-02 02:47

    You can use a simple recursive function as follows.

    def flatten(d):    
        res = []  # Result list
        if isinstance(d, dict):
            for key, val in d.items():
                res.extend(flatten(val))
        elif isinstance(d, list):
            res = d        
        else:
            raise TypeError("Undefined type for flatten: %s"%type(d))
    
        return res
    
    
    dict1 = {
        'Bob': {
            'shepherd': [4, 6, 3],
            'collie': [23, 3, 45],
            'poodle': [2, 0, 6],
        },
        'Sarah': {
            'shepherd': [1, 2, 3],
            'collie': [3, 31, 4],
            'poodle': [21, 5, 6],
        },
        'Ann': {
            'shepherd': [4, 6, 3],
            'collie': [23, 3, 45],
            'poodle': [2, 10, 8],
        }
    }
    
    print( flatten(dict1) )
    

提交回复
热议问题