If you want to find all the items with the "fish" key in the nested dictionary, you can modify this answer flatten nested python dictionaries-compressing keys - answer @Imran
import collections
def get_by_key_in_nested_dict(d, key, parent_key='', sep='_'):
    items = []
    for k, v in d.items():
        new_key = parent_key + sep + k if parent_key else k
        if key==k:
            items.append((new_key, v))
        if isinstance(v, collections.MutableMapping):
            items.extend(get_by_key_in_nested_dict(v, key, new_key, sep).items())
    return dict(items)
with,
test = {
    'one': {
        'animal': 'chicken'
    }, 
    'two': {
        'fish': {
            'sea':'shark', 
            'fish':0
        }
    }, 
    'fish':[1,2,3]
}
get_by_key_in_nested_dict(test,"fish")
You get all the items that have the key "fish"
{
    'fish': [1, 2, 3],
    'two_fish': {'fish': 0, 'sea': 'shark'},
    'two_fish_fish': 0
}