शब्दकोश का उपयोग कई गुना व्यावहारिक अनुप्रयोगों जैसे कि दिन-प्रतिदिन की प्रोग्रामिंग, वेब विकास और एआई / एमएल प्रोग्रामिंग में भी किया जाता है, जिससे यह समग्र रूप से एक उपयोगी कंटेनर बन जाता है। इसलिए, शब्दकोश के उपयोग से संबंधित विभिन्न कार्यों को प्राप्त करने के तरीकों को जानना हमेशा एक प्लस होता है।
उदाहरण
# using del # Initializing dictionary test_dict = {"Vishesh" : 29, "Ram" : 21, "Vishal" : 27, "Prashant" : 25} # Printing dictionary before removal print ("The dictionary before performing remove is : " + str(test_dict)) # Using del to remove a dict del test_dict['Vishal'] # Printing dictionary after removal print ("The dictionary after remove is : " + str(test_dict)) # using pop() # Initializing dictionary test_dict = {"Vishesh" : 29, "Ram" : 21, "Vishal" : 27, "Prashant" : 25} # Printing dictionary before removal print ("The dictionary before performing remove is : " + str(test_dict)) # Using pop() to remove a dict. pair removed_value = test_dict.pop('Ram') # Printing dictionary after removal print ("The dictionary after remove is : " + str(test_dict)) print ("The removed key's value is : " + str(removed_value)) # Using pop() to remove a dict. pair doesn't raise exception # assigns 'No Key found' to removed_value removed_value = test_dict.pop('Nilesh', 'No Key found') # Printing dictionary after removal print ("The dictionary after remove is : " + str(test_dict)) print ("The removed key's value is : " + str(removed_value)) # using items() + dict comprehension # Initializing dictionary test_dict = {"Vishesh" : 29, "Ram" : 21, "Vishal" : 27, "Prashant" : 25} # Printing dictionary before removal print ("The dictionary before performing remove is : " + str(test_dict)) # Using items() + dict comprehension to remove a dict. pair new_dict = {key:val for key, val in test_dict.items() if key != 'Prashant} # Printing dictionary after removal print ("The dictionary after remove is : " + str(new_dict)) '