Given a list of dictionaries, remove all the dictionaries which are duplicate with respect to K key.
Input : test_list = [{"Gfg" : 6, "is" : 9, "best" : 10}, {"Gfg" : 8, "is" : 11, "best" : 10}, {"Gfg" : 2, "is" : 16, "best" : 10}], K = "best" Output : [{"Gfg" : 6, "is" : 9, "best" : 10}] Explanation : All keys have 10 value, only 1st record is retained. Input : test_list = [{"Gfg" : 6, "is" : 9, "best" : 10}, {"Gfg" : 8, "is" : 11, "best" : 12}, {"Gfg" : 2, "is" : 16, "best" : 15}], K = "best" Output : [{"Gfg" : 6, "is" : 9, "best" : 10}, {"Gfg" : 8, "is" : 11, "best" : 12}, {"Gfg" : 2, "is" : 16, "best" : 15}] Explanation : All values of "best" are unique, hence no removal of dictionaries.
This is brute way in which this task can be performed. In this, we iterate for each dictionary and memoize the Key, if similar key's same value occur, then that dictionary is avoided in resultant list of dictionaries.
Output
The original list : [{'Gfg': 6, 'is': 9, 'best': 10}, {'Gfg': 8, 'is': 11, 'best': 19}, {'Gfg': 2, 'is': 16, 'best': 10}, {'Gfg': 12, 'is': 1, 'best': 8}, {'Gfg': 22, 'is': 6, 'best': 8}] The filtered list : [{'Gfg': 6, 'is': 9, 'best': 10}, {'Gfg': 8, 'is': 11, 'best': 19}, {'Gfg': 12, 'is': 1, 'best': 8}]
OutputThe filtered list : [{'Gfg': 2, 'is': 16, 'best': 10}, {'Gfg': 8, 'is': 11, 'best': 19}, {'Gfg': 6, 'is': 9, 'best': 10}, {'Gfg': 22, 'is': 6, 'best': 8}, {'Gfg': 12, 'is': 1, 'best': 8}]
The time complexity of this approach is O(nlogn) due to the use of sets and tuples.
Auxiliary space complexity is O(n) because we are creating a new list of dictionaries.