Skip to content Skip to sidebar Skip to footer

Python Search By Value

I need a proper solution to search for a key in a nested data structures in Python. Lets assume that I have variable with value 'check' and dict like this: SERVICES = { 'domain

Solution 1:

Standard approach:

for k, v in SERVICES.items(): # or iteritems in Python 2if'check'in v:
        print(k) # 'domain'break

If you expect to have multiple keys matching the condition, just remove break.

Functional approach:

>>> next(filter(lambda x: 'check'in SERVICES[x], SERVICES))
'domain'

Solution 2:

Simply iterate over the dictionary keys and check if check is one of the values of the value corresponding to the key. If you find it then give it to the next call.

printnext(key for key in SERVICES if'check' in SERVICES[key])
# domain

Solution 3:

SERVICES = {
    'domain': ['check','whois','register'],
    'user': ['create','show','delete'],
    'invoice': ['toPdf','print']
}

print [k for k in SERVICES if'check'in SERVICES[k]]

Post a Comment for "Python Search By Value"