I have a dictionary like this:
JavaScript
x
3
1
data = {'building': ['school', 'hospital', 'church'],
2
'fruits': ['mango', 'apple', 'banana'] }
3
Now I want to extract the key whenever a value from that key is searched. For example if user inputs mango it should print fruit How can I do this?
Advertisement
Answer
There is no way to directly do this to my knowledge, but you can try an iterative approach over the dictionary’s values:
JavaScript
1
12
12
1
data = {'building': ['school', 'hospital', 'church'],
2
'fruits': ['mango', 'apple', 'banana'] }
3
4
def get_category(item):
5
for category, contents in data.items():
6
if item in contents:
7
return category
8
return None #Not found case
9
10
#Example
11
print(get_category("mango")) #Output: fruits
12