Ways to extract all dictionary values | Python
While working with Python dictionaries, there can be cases in which we are just concerned about getting the values list and don’t care about keys. This is yet another essential utility and solution to it should be known and discussed. Let’s perform this task through certain methods.
Method #1 : Using loop + keys()
The first method that comes to mind to achieve this task is the use of loop to access each key’s value and append it into a list and return it. This can be one of method to perform this task.
# Python3 code to demonstrate working of # Ways to extract all dictionary values # Using loop + keys() # initializing dictionary test_dict = { 'gfg' : 1 , 'is' : 2 , 'best' : 3 } # printing original dictionary print ( "The original dictionary is : " + str (test_dict)) # Extracting all dictionary values # Using loop + keys() res = [] for key in test_dict.keys() : res.append(test_dict[key]) # printing result print ( "The list of values is : " + str (res)) |
The original dictionary is : {'gfg': 1, 'is': 2, 'best': 3} The list of values is : [1, 2, 3]
Method #2 : Using values()
This task can also be performed using the inbuilt function of values(). This is the best and most Pythonic way to perform this particular task and returns the exact desired result.
# Python3 code to demonstrate working of # Ways to extract all dictionary values # Using values() # initializing dictionary test_dict = { 'gfg' : 1 , 'is' : 2 , 'best' : 3 } # printing original dictionary print ( "The original dictionary is : " + str (test_dict)) # Extracting all dictionary values # Using values() res = list (test_dict.values()) # printing result print ( "The list of values is : " + str (res)) |
The original dictionary is : {'gfg': 1, 'is': 2, 'best': 3} The list of values is : [1, 2, 3]