Description
stringlengths 9
105
| Link
stringlengths 45
135
| Code
stringlengths 10
26.8k
| Test_Case
stringlengths 9
202
| Merge
stringlengths 63
27k
|
---|---|---|---|---|
Python - Maximum record value key in dictionary
|
https://www.geeksforgeeks.org/python-maximum-record-value-key-in-dictionary/?ref=leftbar-rightbar
|
from functools import reduce
# initializing dictionary
test_dict = {
"gfg": {"Manjeet": 5, "Himani": 10},
"is": {"Manjeet": 8, "Himani": 9},
"best": {"Manjeet": 10, "Himani": 15},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing search key
key = "Himani"
# find maximum value key in dictionary using reduce
def find_max_key(x, y):
return x if x[1][key] > y[1][key] else y
max_key = reduce(find_max_key, test_dict.items())[0]
# printing result
print("The required key is : " + str(max_key))
|
#Output : The original dictionary is : {'gfg': {'Manjeet': 5, 'Himani': 10}, 'is': {'Manjeet': 8, 'Himani': 9}, 'best': {'Manjeet': 10, 'Himani': 15}}
|
Python - Maximum record value key in dictionary
from functools import reduce
# initializing dictionary
test_dict = {
"gfg": {"Manjeet": 5, "Himani": 10},
"is": {"Manjeet": 8, "Himani": 9},
"best": {"Manjeet": 10, "Himani": 15},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing search key
key = "Himani"
# find maximum value key in dictionary using reduce
def find_max_key(x, y):
return x if x[1][key] > y[1][key] else y
max_key = reduce(find_max_key, test_dict.items())[0]
# printing result
print("The required key is : " + str(max_key))
#Output : The original dictionary is : {'gfg': {'Manjeet': 5, 'Himani': 10}, 'is': {'Manjeet': 8, 'Himani': 9}, 'best': {'Manjeet': 10, 'Himani': 15}}
[END]
|
Python - Maximum record value key in dictionary
|
https://www.geeksforgeeks.org/python-maximum-record-value-key-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Maximum record value key in dictionary
# Using list comprehension and max() function
# Initializing dictionary
test_dict = {
"gfg": {"Manjeet": 5, "Himani": 10},
"is": {"Manjeet": 8, "Himani": 9},
"best": {"Manjeet": 10, "Himani": 15},
}
# Printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Initializing search key
key = "Himani"
# Maximum record value key in dictionary
# using list comprehension and max() function
vals = [sub[key] for sub in test_dict.values()]
max_val = max(vals)
idx = vals.index(max_val)
res = list(test_dict.keys())[idx]
# Printing result
print("The required key is : " + str(res))
|
#Output : The original dictionary is : {'gfg': {'Manjeet': 5, 'Himani': 10}, 'is': {'Manjeet': 8, 'Himani': 9}, 'best': {'Manjeet': 10, 'Himani': 15}}
|
Python - Maximum record value key in dictionary
# Python3 code to demonstrate working of
# Maximum record value key in dictionary
# Using list comprehension and max() function
# Initializing dictionary
test_dict = {
"gfg": {"Manjeet": 5, "Himani": 10},
"is": {"Manjeet": 8, "Himani": 9},
"best": {"Manjeet": 10, "Himani": 15},
}
# Printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Initializing search key
key = "Himani"
# Maximum record value key in dictionary
# using list comprehension and max() function
vals = [sub[key] for sub in test_dict.values()]
max_val = max(vals)
idx = vals.index(max_val)
res = list(test_dict.keys())[idx]
# Printing result
print("The required key is : " + str(res))
#Output : The original dictionary is : {'gfg': {'Manjeet': 5, 'Himani': 10}, 'is': {'Manjeet': 8, 'Himani': 9}, 'best': {'Manjeet': 10, 'Himani': 15}}
[END]
|
Python - Extract values of Particular Key in Nested values
|
https://www.geeksforgeeks.org/python-extract-values-of-particular-key-in-nested-values/
|
# Python3 code to demonstrate working of
# Extract values of Particular Key in Nested Values
# Using list comprehension
# initializing dictionary
test_dict = {
"Gfg": {"a": 7, "b": 9, "c": 12},
"is": {"a": 15, "b": 19, "c": 20},
"best": {"a": 5, "b": 10, "c": 2},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing key
temp = "c"
# using item() to extract key value pair as whole
res = [val[temp] for key, val in test_dict.items() if temp in val]
# printing result
print("The extracted values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': {'a': 7, 'b': 9, 'c': 12}, 'is': {'a': 15, 'b': 19, 'c': 20}, 'best': {'a': 5, 'b': 10, 'c': 2}}
|
Python - Extract values of Particular Key in Nested values
# Python3 code to demonstrate working of
# Extract values of Particular Key in Nested Values
# Using list comprehension
# initializing dictionary
test_dict = {
"Gfg": {"a": 7, "b": 9, "c": 12},
"is": {"a": 15, "b": 19, "c": 20},
"best": {"a": 5, "b": 10, "c": 2},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing key
temp = "c"
# using item() to extract key value pair as whole
res = [val[temp] for key, val in test_dict.items() if temp in val]
# printing result
print("The extracted values : " + str(res))
#Output : The original dictionary is : {'Gfg': {'a': 7, 'b': 9, 'c': 12}, 'is': {'a': 15, 'b': 19, 'c': 20}, 'best': {'a': 5, 'b': 10, 'c': 2}}
[END]
|
Python - Extract values of Particular Key in Nested values
|
https://www.geeksforgeeks.org/python-extract-values-of-particular-key-in-nested-values/
|
# Python3 code to demonstrate working of
# Extract values of Particular Key in Nested Values
# Using list comprehension + values() + keys()
# initializing dictionary
test_dict = {
"Gfg": {"a": 7, "b": 9, "c": 12},
"is": {"a": 15, "b": 19, "c": 20},
"best": {"a": 5, "b": 10, "c": 2},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing key
temp = "c"
# using keys() and values() to extract values
res = [sub[temp] for sub in test_dict.values() if temp in sub.keys()]
# printing result
print("The extracted values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': {'a': 7, 'b': 9, 'c': 12}, 'is': {'a': 15, 'b': 19, 'c': 20}, 'best': {'a': 5, 'b': 10, 'c': 2}}
|
Python - Extract values of Particular Key in Nested values
# Python3 code to demonstrate working of
# Extract values of Particular Key in Nested Values
# Using list comprehension + values() + keys()
# initializing dictionary
test_dict = {
"Gfg": {"a": 7, "b": 9, "c": 12},
"is": {"a": 15, "b": 19, "c": 20},
"best": {"a": 5, "b": 10, "c": 2},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing key
temp = "c"
# using keys() and values() to extract values
res = [sub[temp] for sub in test_dict.values() if temp in sub.keys()]
# printing result
print("The extracted values : " + str(res))
#Output : The original dictionary is : {'Gfg': {'a': 7, 'b': 9, 'c': 12}, 'is': {'a': 15, 'b': 19, 'c': 20}, 'best': {'a': 5, 'b': 10, 'c': 2}}
[END]
|
Python - Extract values of Particular Key in Nested values
|
https://www.geeksforgeeks.org/python-extract-values-of-particular-key-in-nested-values/
|
# initializing dictionary
test_dict = {
"Gfg": {"a": 7, "b": 9, "c": 12},
"is": {"a": 15, "b": 19, "c": 20},
"best": {"a": 5, "b": 10, "c": 2},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing key
temp = "c"
# initializing empty list
res = []
# iterating over each value in dictionary
for value in test_dict.values():
# checking if key exists in current value
if temp in value:
# appending value of key to the result list
res.append(value[temp])
# printing result
print("The extracted values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': {'a': 7, 'b': 9, 'c': 12}, 'is': {'a': 15, 'b': 19, 'c': 20}, 'best': {'a': 5, 'b': 10, 'c': 2}}
|
Python - Extract values of Particular Key in Nested values
# initializing dictionary
test_dict = {
"Gfg": {"a": 7, "b": 9, "c": 12},
"is": {"a": 15, "b": 19, "c": 20},
"best": {"a": 5, "b": 10, "c": 2},
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing key
temp = "c"
# initializing empty list
res = []
# iterating over each value in dictionary
for value in test_dict.values():
# checking if key exists in current value
if temp in value:
# appending value of key to the result list
res.append(value[temp])
# printing result
print("The extracted values : " + str(res))
#Output : The original dictionary is : {'Gfg': {'a': 7, 'b': 9, 'c': 12}, 'is': {'a': 15, 'b': 19, 'c': 20}, 'best': {'a': 5, 'b': 10, 'c': 2}}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using loop + items()
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using loop + items()
res = []
for key, val in test_dict.items():
res.append([key] + val)
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using loop + items()
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using loop + items()
res = []
for key, val in test_dict.items():
res.append([key] + val)
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using list comprehension
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using list comprehension
res = [[key] + val for key, val in test_dict.items()]
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using list comprehension
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using list comprehension
res = [[key] + val for key, val in test_dict.items()]
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using map + keys()
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
temp1 = list(test_dict.keys())
# Convert Key-Value list Dictionary to Lists of List
# Using map + keys()
res = list(map(lambda i: [i] + test_dict[i], temp1))
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using map + keys()
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
temp1 = list(test_dict.keys())
# Convert Key-Value list Dictionary to Lists of List
# Using map + keys()
res = list(map(lambda i: [i] + test_dict[i], temp1))
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
res = []
for i in test_dict.keys():
test_dict[i].insert(0, i)
res.append(test_dict[i])
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
res = []
for i in test_dict.keys():
test_dict[i].insert(0, i)
res.append(test_dict[i])
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using zip() + list comprehension
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using zip() + list comprehension
res = [[key] + value for key, value in zip(test_dict.keys(), test_dict.values())]
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# Python3 code to demonstrate working of
# Convert Key-Value list Dictionary to Lists of List
# Using zip() + list comprehension
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using zip() + list comprehension
res = [[key] + value for key, value in zip(test_dict.keys(), test_dict.values())]
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using a nested list comprehension
res = [[key] + test_dict[key] for key in test_dict]
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using a nested list comprehension
res = [[key] + test_dict[key] for key in test_dict]
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert Key-Value list Dictionary to List of list
|
https://www.geeksforgeeks.org/python-convert-key-value-list-dictionary-to-list-of-lists/?ref=leftbar-rightbar
|
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using items() method and for loop
res = []
for key, value in test_dict.items():
res.append([key] + value)
# printing result
print("The converted list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
|
Python - Convert Key-Value list Dictionary to List of list
# initializing Dictionary
test_dict = {"gfg": [1, 3, 4], "is": [7, 6], "best": [4, 5]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Key-Value list Dictionary to Lists of List
# Using items() method and for loop
res = []
for key, value in test_dict.items():
res.append([key] + value)
# printing result
print("The converted list is : " + str(res))
#Output : The original dictionary is : {'gfg': [1, 3, 4], 'is': [7, 6], 'best': [4, 5]}
[END]
|
Python - Convert List to List of dictionaries
|
https://www.geeksforgeeks.org/python-convert-list-to-list-of-dictionaries/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert List to List of dictionaries
# Using dictionary comprehension + loop
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# printing original list
print("The original list : " + str(test_list))
# initializing key list
key_list = ["name", "number"]
# loop to iterate through elements
# using dictionary comprehension
# for dictionary construction
n = len(test_list)
res = []
for idx in range(0, n, 2):
res.append({key_list[0]: test_list[idx], key_list[1]: test_list[idx + 1]})
# printing result
print("The constructed dictionary list : " + str(res))
|
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
|
Python - Convert List to List of dictionaries
# Python3 code to demonstrate working of
# Convert List to List of dictionaries
# Using dictionary comprehension + loop
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# printing original list
print("The original list : " + str(test_list))
# initializing key list
key_list = ["name", "number"]
# loop to iterate through elements
# using dictionary comprehension
# for dictionary construction
n = len(test_list)
res = []
for idx in range(0, n, 2):
res.append({key_list[0]: test_list[idx], key_list[1]: test_list[idx + 1]})
# printing result
print("The constructed dictionary list : " + str(res))
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
[END]
|
Python - Convert List to List of dictionaries
|
https://www.geeksforgeeks.org/python-convert-list-to-list-of-dictionaries/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert List to List of dictionaries
# Using zip() + list comprehension
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# printing original list
print("The original list : " + str(test_list))
# initializing key list
key_list = ["name", "number"]
# using list comprehension to perform as shorthand
n = len(test_list)
res = [
{key_list[0]: test_list[idx], key_list[1]: test_list[idx + 1]}
for idx in range(0, n, 2)
]
# printing result
print("The constructed dictionary list : " + str(res))
|
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
|
Python - Convert List to List of dictionaries
# Python3 code to demonstrate working of
# Convert List to List of dictionaries
# Using zip() + list comprehension
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# printing original list
print("The original list : " + str(test_list))
# initializing key list
key_list = ["name", "number"]
# using list comprehension to perform as shorthand
n = len(test_list)
res = [
{key_list[0]: test_list[idx], key_list[1]: test_list[idx + 1]}
for idx in range(0, n, 2)
]
# printing result
print("The constructed dictionary list : " + str(res))
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
[END]
|
Python - Convert List to List of dictionaries
|
https://www.geeksforgeeks.org/python-convert-list-to-list-of-dictionaries/?ref=leftbar-rightbar
|
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# initializing key list
key_list = ["name", "number"]
# using zip() function and dictionary comprehension
res = [
{key_list[i]: val for i, val in enumerate(pair)}
for pair in zip(test_list[::2], test_list[1::2])
]
# printing result
print("The constructed dictionary list : " + str(res))
|
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
|
Python - Convert List to List of dictionaries
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# initializing key list
key_list = ["name", "number"]
# using zip() function and dictionary comprehension
res = [
{key_list[i]: val for i, val in enumerate(pair)}
for pair in zip(test_list[::2], test_list[1::2])
]
# printing result
print("The constructed dictionary list : " + str(res))
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
[END]
|
Python - Convert List to List of dictionaries
|
https://www.geeksforgeeks.org/python-convert-list-to-list-of-dictionaries/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert List to List of dictionaries
# Using groupby() function from itertools module
# import itertools module
import itertools
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# printing original list
print("The original list : " + str(test_list))
# initializing key list
key_list = ["name", "number"]
# using groupby() function to group elements into pairs
res = []
for pair in zip(test_list[::2], test_list[1::2]):
res.append({key_list[0]: pair[0], key_list[1]: pair[1]})
# printing result
print("The constructed dictionary list : " + str(res))
|
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
|
Python - Convert List to List of dictionaries
# Python3 code to demonstrate working of
# Convert List to List of dictionaries
# Using groupby() function from itertools module
# import itertools module
import itertools
# initializing lists
test_list = ["Gfg", 3, "is", 8, "Best", 10, "for", 18, "Geeks", 33]
# printing original list
print("The original list : " + str(test_list))
# initializing key list
key_list = ["name", "number"]
# using groupby() function to group elements into pairs
res = []
for pair in zip(test_list[::2], test_list[1::2]):
res.append({key_list[0]: pair[0], key_list[1]: pair[1]})
# printing result
print("The constructed dictionary list : " + str(res))
#Output : The constructed dictionary list : [{'name': 'Gfg', 'number': 3}, {'name': 'is', 'number': 8}, {'name': 'Best', 'number': 10}, {'name': 'for', 'number': 18}, {'name': 'Geeks', 'number': 33}]
[END]
|
Python - Convert Lists of List to Dictionary
|
https://www.geeksforgeeks.org/python-convert-lists-of-list-to-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Lists of List to Dictionary
# Using loop
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is : " + str(test_list))
# Convert Lists of List to Dictionary
# Using loop
res = dict()
for sub in test_list:
res[tuple(sub[:2])] = tuple(sub[2:])
# printing result
print("The mapped Dictionary : " + str(res))
|
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
|
Python - Convert Lists of List to Dictionary
# Python3 code to demonstrate working of
# Convert Lists of List to Dictionary
# Using loop
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is : " + str(test_list))
# Convert Lists of List to Dictionary
# Using loop
res = dict()
for sub in test_list:
res[tuple(sub[:2])] = tuple(sub[2:])
# printing result
print("The mapped Dictionary : " + str(res))
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
[END]
|
Python - Convert Lists of List to Dictionary
|
https://www.geeksforgeeks.org/python-convert-lists-of-list-to-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Lists of List to Dictionary
# Using dictionary comprehension
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is : " + str(test_list))
# Convert Lists of List to Dictionary
# Using dictionary comprehension
res = {tuple(sub[:2]): tuple(sub[2:]) for sub in test_list}
# printing result
print("The mapped Dictionary : " + str(res))
|
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
|
Python - Convert Lists of List to Dictionary
# Python3 code to demonstrate working of
# Convert Lists of List to Dictionary
# Using dictionary comprehension
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is : " + str(test_list))
# Convert Lists of List to Dictionary
# Using dictionary comprehension
res = {tuple(sub[:2]): tuple(sub[2:]) for sub in test_list}
# printing result
print("The mapped Dictionary : " + str(res))
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
[END]
|
Python - Convert Lists of List to Dictionary
|
https://www.geeksforgeeks.org/python-convert-lists-of-list-to-dictionary/?ref=leftbar-rightbar
|
original_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
mapped_dict = {(lst[0], lst[1]): tuple(lst[2:]) for lst in original_list}
print("The mapped Dictionary :", mapped_dict)
|
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
|
Python - Convert Lists of List to Dictionary
original_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
mapped_dict = {(lst[0], lst[1]): tuple(lst[2:]) for lst in original_list}
print("The mapped Dictionary :", mapped_dict)
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
[END]
|
Python - Convert Lists of List to Dictionary
|
https://www.geeksforgeeks.org/python-convert-lists-of-list-to-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert Lists of List to Dictionary
# Using zip() and loop
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is : " + str(test_list))
# Convert Lists of List to Dictionary
# Using zip() and loop
result_dict = {}
for sublist in test_list:
key = tuple(sublist[:2])
value = tuple(sublist[2:])
result_dict[key] = value
# printing result
print("The mapped Dictionary : " + str(result_dict))
|
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
|
Python - Convert Lists of List to Dictionary
# Python3 code to demonstrate working of
# Convert Lists of List to Dictionary
# Using zip() and loop
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is : " + str(test_list))
# Convert Lists of List to Dictionary
# Using zip() and loop
result_dict = {}
for sublist in test_list:
key = tuple(sublist[:2])
value = tuple(sublist[2:])
result_dict[key] = value
# printing result
print("The mapped Dictionary : " + str(result_dict))
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
[END]
|
Python - Convert Lists of List to Dictionary
|
https://www.geeksforgeeks.org/python-convert-lists-of-list-to-dictionary/?ref=leftbar-rightbar
|
from functools import reduce
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is: " + str(test_list))
# define function to combine dictionaries
def combine_dicts(dict1, dict2):
dict1.update(dict2)
return dict1
# use reduce to apply combine_dicts to all nested dictionaries
res = reduce(combine_dicts, [{tuple(sub[:2]): tuple(sub[2:])} for sub in test_list])
# print mapped dictionary
print("The mapped dictionary: " + str(res))
|
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
|
Python - Convert Lists of List to Dictionary
from functools import reduce
# initializing list
test_list = [["a", "b", 1, 2], ["c", "d", 3, 4], ["e", "f", 5, 6]]
# printing original list
print("The original list is: " + str(test_list))
# define function to combine dictionaries
def combine_dicts(dict1, dict2):
dict1.update(dict2)
return dict1
# use reduce to apply combine_dicts to all nested dictionaries
res = reduce(combine_dicts, [{tuple(sub[:2]): tuple(sub[2:])} for sub in test_list])
# print mapped dictionary
print("The mapped dictionary: " + str(res))
#Output : The mapped Dictionary : {('a', 'b'): (1, 2), ('c', 'd'): (3, 4), ('e', 'f'): (5, 6)}
[END]
|
Python - Convert List of Dictionaries to List of lists
|
https://www.geeksforgeeks.org/python-convert-list-of-dictionaries-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using loop + enumerate()
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using loop + enumerate()
res = []
for idx, sub in enumerate(test_list, start=0):
if idx == 0:
res.append(list(sub.keys()))
res.append(list(sub.values()))
else:
res.append(list(sub.values()))
# printing result
print("The converted list : " + str(res))
|
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
|
Python - Convert List of Dictionaries to List of lists
# Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using loop + enumerate()
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using loop + enumerate()
res = []
for idx, sub in enumerate(test_list, start=0):
if idx == 0:
res.append(list(sub.keys()))
res.append(list(sub.values()))
else:
res.append(list(sub.values()))
# printing result
print("The converted list : " + str(res))
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
[END]
|
Python - Convert List of Dictionaries to List of lists
|
https://www.geeksforgeeks.org/python-convert-list-of-dictionaries-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using list comprehension
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using list comprehension
res = [[key for key in test_list[0].keys()], *[list(idx.values()) for idx in test_list]]
# printing result
print("The converted list : " + str(res))
|
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
|
Python - Convert List of Dictionaries to List of lists
# Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using list comprehension
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using list comprehension
res = [[key for key in test_list[0].keys()], *[list(idx.values()) for idx in test_list]]
# printing result
print("The converted list : " + str(res))
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
[END]
|
Python - Convert List of Dictionaries to List of lists
|
https://www.geeksforgeeks.org/python-convert-list-of-dictionaries-to-list-of-lists/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using map() function and lambda function
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using map() function and lambda function
res = list(map(lambda x: list(x.values()), test_list))
res.insert(0, list(test_list[0].keys()))
# printing result
print("The converted list : " + str(res))
|
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
|
Python - Convert List of Dictionaries to List of lists
# Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using map() function and lambda function
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using map() function and lambda function
res = list(map(lambda x: list(x.values()), test_list))
res.insert(0, list(test_list[0].keys()))
# printing result
print("The converted list : " + str(res))
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
[END]
|
Python - Convert List of Dictionaries to List of lists
|
https://www.geeksforgeeks.org/python-convert-list-of-dictionaries-to-list-of-lists/?ref=leftbar-rightbar
|
# Importing the pandas library
import pandas as pd
# Initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# Converting List of Dictionaries to List of Lists using pandas
df = pd.DataFrame(test_list)
res = df.values.tolist()
res.insert(0, list(df.columns))
# Printing the result
print("The converted list : " + str(res))
|
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
|
Python - Convert List of Dictionaries to List of lists
# Importing the pandas library
import pandas as pd
# Initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# Converting List of Dictionaries to List of Lists using pandas
df = pd.DataFrame(test_list)
res = df.values.tolist()
res.insert(0, list(df.columns))
# Printing the result
print("The converted list : " + str(res))
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
[END]
|
Python - Convert List of Dictionaries to List of lists
|
https://www.geeksforgeeks.org/python-convert-list-of-dictionaries-to-list-of-lists/?ref=leftbar-rightbar
|
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print(
"The original list is: " + str(test_list)
) # Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using zip() and list()
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using zip() and list()
keys = list(test_list[0].keys())
values = [list(x.values()) for x in test_list]
res = [keys] + list(zip(*values))
# printing result
print("The converted list : " + str(res))
# Convert List of Dictionaries to List of Lists
# Using zip() function and list() constructor
res = []
keys = list(test_list[0].keys())
res.append(keys)
for d in test_list:
values = [d[key] for key in keys]
res.append(values)
# printing result
print("The converted list is: " + str(res))
|
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
|
Python - Convert List of Dictionaries to List of lists
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print(
"The original list is: " + str(test_list)
) # Python3 code to demonstrate working of
# Convert List of Dictionaries to List of Lists
# Using zip() and list()
# initializing list
test_list = [
{"Nikhil": 17, "Akash": 18, "Akshat": 20},
{"Nikhil": 21, "Akash": 30, "Akshat": 10},
{"Nikhil": 31, "Akash": 12, "Akshat": 19},
]
# printing original list
print("The original list is : " + str(test_list))
# Convert List of Dictionaries to List of Lists
# Using zip() and list()
keys = list(test_list[0].keys())
values = [list(x.values()) for x in test_list]
res = [keys] + list(zip(*values))
# printing result
print("The converted list : " + str(res))
# Convert List of Dictionaries to List of Lists
# Using zip() function and list() constructor
res = []
keys = list(test_list[0].keys())
res.append(keys)
for d in test_list:
values = [d[key] for key in keys]
res.append(values)
# printing result
print("The converted list is: " + str(res))
#Output : The original list is : [{'Nikhil': 17, 'Akash': 18, 'Akshat': 20}, {'Nikhil': 21, 'Akash': 30, 'Akshat': 10}, {'Nikhil': 31, 'Akash': 12, 'Akshat': 19}]
[END]
|
Python - Convert key-values list to flat dictionary
|
https://www.geeksforgeeks.org/python-convert-key-values-list-to-flat-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert key-values list to flat dictionary
# Using dict() + zip()
from itertools import product
# initializing dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert key-values list to flat dictionary
# Using dict() + zip()
res = dict(zip(test_dict["month"], test_dict["name"]))
# printing result
print("Flattened dictionary : " + str(res))
|
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
|
Python - Convert key-values list to flat dictionary
# Python3 code to demonstrate working of
# Convert key-values list to flat dictionary
# Using dict() + zip()
from itertools import product
# initializing dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert key-values list to flat dictionary
# Using dict() + zip()
res = dict(zip(test_dict["month"], test_dict["name"]))
# printing result
print("Flattened dictionary : " + str(res))
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
[END]
|
Python - Convert key-values list to flat dictionary
|
https://www.geeksforgeeks.org/python-convert-key-values-list-to-flat-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert key-values list to flat dictionary
# initializing dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert key-values list to flat dictionary
x = list(test_dict.values())
a = x[0]
b = x[1]
d = dict()
for i in range(0, len(a)):
d[a[i]] = b[i]
# printing result
print("Flattened dictionary : " + str(d))
|
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
|
Python - Convert key-values list to flat dictionary
# Python3 code to demonstrate working of
# Convert key-values list to flat dictionary
# initializing dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert key-values list to flat dictionary
x = list(test_dict.values())
a = x[0]
b = x[1]
d = dict()
for i in range(0, len(a)):
d[a[i]] = b[i]
# printing result
print("Flattened dictionary : " + str(d))
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
[END]
|
Python - Convert key-values list to flat dictionary
|
https://www.geeksforgeeks.org/python-convert-key-values-list-to-flat-dictionary/?ref=leftbar-rightbar
|
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
res = {
test_dict["month"][i]: test_dict["name"][i] for i in range(len(test_dict["month"]))
}
print("Flattened dictionary:", res)
|
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
|
Python - Convert key-values list to flat dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
res = {
test_dict["month"][i]: test_dict["name"][i] for i in range(len(test_dict["month"]))
}
print("Flattened dictionary:", res)
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
[END]
|
Python - Convert key-values list to flat dictionary
|
https://www.geeksforgeeks.org/python-convert-key-values-list-to-flat-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Convert key-values list to flat dictionary
# Using for loop
# initializing dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert key-values list to flat dictionary
# Using for loop
res = {}
for i in range(len(test_dict["month"])):
res[test_dict["month"][i]] = test_dict["name"][i]
# printing result
print("Flattened dictionary : " + str(res))
|
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
|
Python - Convert key-values list to flat dictionary
# Python3 code to demonstrate working of
# Convert key-values list to flat dictionary
# Using for loop
# initializing dictionary
test_dict = {"month": [1, 2, 3], "name": ["Jan", "Feb", "March"]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert key-values list to flat dictionary
# Using for loop
res = {}
for i in range(len(test_dict["month"])):
res[test_dict["month"][i]] = test_dict["name"][i]
# printing result
print("Flattened dictionary : " + str(res))
#Output : The original dictionary is : {'month': [1, 2, 3], 'name': ['Jan', 'Feb', 'March']}
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
# Python code to convert into dictionary
def Convert(tup, di):
for a, b in tup:
di.setdefault(a, []).append(b)
return di
# Driver Code
tups = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
dictionary = {}
print(Convert(tups, dictionary))
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
# Python code to convert into dictionary
def Convert(tup, di):
for a, b in tup:
di.setdefault(a, []).append(b)
return di
# Driver Code
tups = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
dictionary = {}
print(Convert(tups, dictionary))
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
# Python code to convert into dictionary
list_1 = [
("Nakul", 93),
("Shivansh", 45),
("Samved", 65),
("Yash", 88),
("Vidit", 70),
("Pradeep", 52),
]
dict_1 = dict()
for student, score in list_1:
dict_1.setdefault(student, []).append(score)
print(dict_1)
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
# Python code to convert into dictionary
list_1 = [
("Nakul", 93),
("Shivansh", 45),
("Samved", 65),
("Yash", 88),
("Vidit", 70),
("Pradeep", 52),
]
dict_1 = dict()
for student, score in list_1:
dict_1.setdefault(student, []).append(score)
print(dict_1)
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
# Python code to convert into dictionary
def Convert(tup, di):
di = dict(tup)
return di
# Driver Code
tups = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
dictionary = {}
print(Convert(tups, dictionary))
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
# Python code to convert into dictionary
def Convert(tup, di):
di = dict(tup)
return di
# Driver Code
tups = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
dictionary = {}
print(Convert(tups, dictionary))
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
# Python code to convert into dictionary
print(dict([("Sachin", 10), ("MSD", 7), ("Kohli", 18), ("Rohit", 45)]))
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
# Python code to convert into dictionary
print(dict([("Sachin", 10), ("MSD", 7), ("Kohli", 18), ("Rohit", 45)]))
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
from itertools import groupby
def convert_to_dict(tuple_list):
# Group the tuples by their first element (the key)
groups = groupby(tuple_list, key=lambda x: x[0])
# Create an empty dictionary
dictionary = {}
# Iterate over the groups
for key, group in groups:
# Extract the second element of each tuple in the group and add it to the dictionary as the value for the key
dictionary[key] = [tuple[1] for tuple in group]
return dictionary
# Test the function
tuple_list = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
print(convert_to_dict(tuple_list)) # {'akash':
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
from itertools import groupby
def convert_to_dict(tuple_list):
# Group the tuples by their first element (the key)
groups = groupby(tuple_list, key=lambda x: x[0])
# Create an empty dictionary
dictionary = {}
# Iterate over the groups
for key, group in groups:
# Extract the second element of each tuple in the group and add it to the dictionary as the value for the key
dictionary[key] = [tuple[1] for tuple in group]
return dictionary
# Test the function
tuple_list = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
print(convert_to_dict(tuple_list)) # {'akash':
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
tups = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
dictionary = {}
for key, val in tups:
dictionary.setdefault(key, val)
print(dictionary)
# This code is contributed by Vinay Pinjala.
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
tups = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
dictionary = {}
for key, val in tups:
dictionary.setdefault(key, val)
print(dictionary)
# This code is contributed by Vinay Pinjala.
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
def convert_to_dict(tuple_list):
# Create an empty dictionary
dictionary = {}
# Iterate over each tuple in the list
for tuple in tuple_list:
# Check if the key is already in the dictionary
if tuple[0] in dictionary:
# If the key is already in the dictionary, append the value to the existing list
dictionary[tuple[0]].append(tuple[1])
else:
# If the key is not in the dictionary, add it and set the value as a new list
dictionary[tuple[0]] = [tuple[1]]
# Return the completed dictionary
return dictionary
# Test the function
tuple_list = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
# {'akash': [10], 'gaurav': [12], 'anand': [14], 'suraj': [20], 'akhil': [25], 'ashish': [30]}
print(convert_to_dict(tuple_list))
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
def convert_to_dict(tuple_list):
# Create an empty dictionary
dictionary = {}
# Iterate over each tuple in the list
for tuple in tuple_list:
# Check if the key is already in the dictionary
if tuple[0] in dictionary:
# If the key is already in the dictionary, append the value to the existing list
dictionary[tuple[0]].append(tuple[1])
else:
# If the key is not in the dictionary, add it and set the value as a new list
dictionary[tuple[0]] = [tuple[1]]
# Return the completed dictionary
return dictionary
# Test the function
tuple_list = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
# {'akash': [10], 'gaurav': [12], 'anand': [14], 'suraj': [20], 'akhil': [25], 'ashish': [30]}
print(convert_to_dict(tuple_list))
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python | Convert a list of Tuples into Dictionary
|
https://www.geeksforgeeks.org/python-convert-list-tuples-dictionary/
|
def convert_to_dict(tuple_list):
# Create a dictionary using the dict() constructor and a list comprehension
dictionary = dict((key, value) for key, value in tuple_list)
# Return the completed dictionary
return dictionary
tuple_list = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
# {'akash': 10, 'gaurav': 12, 'anand': 14, 'suraj': 20, 'akhil': 25, 'ashish': 30}
print(convert_to_dict(tuple_list))
|
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
|
Python | Convert a list of Tuples into Dictionary
def convert_to_dict(tuple_list):
# Create a dictionary using the dict() constructor and a list comprehension
dictionary = dict((key, value) for key, value in tuple_list)
# Return the completed dictionary
return dictionary
tuple_list = [
("akash", 10),
("gaurav", 12),
("anand", 14),
("suraj", 20),
("akhil", 25),
("ashish", 30),
]
# {'akash': 10, 'gaurav': 12, 'anand': 14, 'suraj': 20, 'akhil': 25, 'ashish': 30}
print(convert_to_dict(tuple_list))
#Input : [("akash", 10), ("gaurav", 12), ("anand", 14),
("suraj", 20), ("akhil", 25), ("ashish", 30)]
[END]
|
Python - Convert Nested dictionary to Mapped tuple
|
https://www.geeksforgeeks.org/python-convert-nested-dictionary-to-mapped-tuple/
|
# Python3 code to demonstrate working of
# Convert Nested dictionary to Mapped Tuple
# Using list comprehension + generator expression
# initializing dictionary
test_dict = {"gfg": {"x": 5, "y": 6}, "is": {"x": 1, "y": 4}, "best": {"x": 8, "y": 3}}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Nested dictionary to Mapped Tuple
# Using list comprehension + generator expression
res = [(key, tuple(sub[key] for sub in test_dict.values())) for key in test_dict["gfg"]]
# printing result
print("The grouped dictionary : " + str(res))
|
#Output : The original dictionary is : {'is': {'y': 4, 'x': 1}, 'gfg': {'y': 6, 'x': 5}, 'best': {'y': 3, 'x': 8}}
|
Python - Convert Nested dictionary to Mapped tuple
# Python3 code to demonstrate working of
# Convert Nested dictionary to Mapped Tuple
# Using list comprehension + generator expression
# initializing dictionary
test_dict = {"gfg": {"x": 5, "y": 6}, "is": {"x": 1, "y": 4}, "best": {"x": 8, "y": 3}}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Nested dictionary to Mapped Tuple
# Using list comprehension + generator expression
res = [(key, tuple(sub[key] for sub in test_dict.values())) for key in test_dict["gfg"]]
# printing result
print("The grouped dictionary : " + str(res))
#Output : The original dictionary is : {'is': {'y': 4, 'x': 1}, 'gfg': {'y': 6, 'x': 5}, 'best': {'y': 3, 'x': 8}}
[END]
|
Python - Convert Nested dictionary to Mapped tuple
|
https://www.geeksforgeeks.org/python-convert-nested-dictionary-to-mapped-tuple/
|
# Python3 code to demonstrate working of# Convert Nested dictionary to Mapped Tuple# Using defaultdict() + loopfrom collections import defaultdict????????????????????????# initializing dictionarytest_dict = {'gfg' : {'x' : 5, 'y' : 6}, 'is' : {'x' : 1, 'y' : 4},??????????????????????????????????????????????????????????????????????????????????????????????????????????????????????????????"The original dictionary is : " + str(test_dict))??????# Convert Nested dictionary to Mapped Tuple# Using defaultdict() + loopres = defaultdict(tuple)for key, val in test_dict.items():????????????????????????for ele in val:?????????????????????????????????????????????"The grouped dictionary : " + str(list(res.items()))
|
#Output : The original dictionary is : {'is': {'y': 4, 'x': 1}, 'gfg': {'y': 6, 'x': 5}, 'best': {'y': 3, 'x': 8}}
|
Python - Convert Nested dictionary to Mapped tuple
# Python3 code to demonstrate working of# Convert Nested dictionary to Mapped Tuple# Using defaultdict() + loopfrom collections import defaultdict????????????????????????# initializing dictionarytest_dict = {'gfg' : {'x' : 5, 'y' : 6}, 'is' : {'x' : 1, 'y' : 4},??????????????????????????????????????????????????????????????????????????????????????????????????????????????????????????????"The original dictionary is : " + str(test_dict))??????# Convert Nested dictionary to Mapped Tuple# Using defaultdict() + loopres = defaultdict(tuple)for key, val in test_dict.items():????????????????????????for ele in val:?????????????????????????????????????????????"The grouped dictionary : " + str(list(res.items()))
#Output : The original dictionary is : {'is': {'y': 4, 'x': 1}, 'gfg': {'y': 6, 'x': 5}, 'best': {'y': 3, 'x': 8}}
[END]
|
Python - Convert Nested dictionary to Mapped tuple
|
https://www.geeksforgeeks.org/python-convert-nested-dictionary-to-mapped-tuple/
|
# initializing dictionary
test_dict = {"gfg": {"x": 5, "y": 6}, "is": {"x": 1, "y": 4}, "best": {"x": 8, "y": 3}}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Nested dictionary to Mapped Tuple
# Using zip() function and dictionary operations
res = [(key, tuple(test_dict[k][key] for k in test_dict)) for key in test_dict["gfg"]]
# printing result
print("The grouped dictionary : " + str(res))
# This code is contributed by Vinay Pinjala.
|
#Output : The original dictionary is : {'is': {'y': 4, 'x': 1}, 'gfg': {'y': 6, 'x': 5}, 'best': {'y': 3, 'x': 8}}
|
Python - Convert Nested dictionary to Mapped tuple
# initializing dictionary
test_dict = {"gfg": {"x": 5, "y": 6}, "is": {"x": 1, "y": 4}, "best": {"x": 8, "y": 3}}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Convert Nested dictionary to Mapped Tuple
# Using zip() function and dictionary operations
res = [(key, tuple(test_dict[k][key] for k in test_dict)) for key in test_dict["gfg"]]
# printing result
print("The grouped dictionary : " + str(res))
# This code is contributed by Vinay Pinjala.
#Output : The original dictionary is : {'is': {'y': 4, 'x': 1}, 'gfg': {'y': 6, 'x': 5}, 'best': {'y': 3, 'x': 8}}
[END]
|
Python Program to convert string to dictionary
|
https://www.geeksforgeeks.org/ways-to-convert-string-to-dictionary/?ref=leftbar-rightbar
|
# Python implementation of converting
# a string into a dictionary
# initialising string
str = " Jan = January; Feb = February; Mar = March"
# At first the string will be splitted
# at the occurrence of ';' to divide items
# for the dictionaryand then again splitting
# will be done at occurrence of '=' which
# generates key:value pair for each item
dictionary = dict(subString.split("=") for subString in str.split(";"))
# printing the generated dictionary
print(dictionary)
|
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
|
Python Program to convert string to dictionary
# Python implementation of converting
# a string into a dictionary
# initialising string
str = " Jan = January; Feb = February; Mar = March"
# At first the string will be splitted
# at the occurrence of ';' to divide items
# for the dictionaryand then again splitting
# will be done at occurrence of '=' which
# generates key:value pair for each item
dictionary = dict(subString.split("=") for subString in str.split(";"))
# printing the generated dictionary
print(dictionary)
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
[END]
|
Python Program to convert string to dictionary
|
https://www.geeksforgeeks.org/ways-to-convert-string-to-dictionary/?ref=leftbar-rightbar
|
# Python implementation of converting
# a string into a dictionary
# initialising first string
str1 = "Jan, Feb, March"
str2 = "January | February | March"
# splitting first string
# in order to get keys
keys = str1.split(", ")
# splitting second string
# in order to get values
values = str2.split("|")
# declaring the dictionary
dictionary = {}
# Assigning keys and its
# corresponding values in
# the dictionary
for i in range(len(keys)):
dictionary[keys[i]] = values[i]
# printing the generated dictionary
print(dictionary)
|
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
|
Python Program to convert string to dictionary
# Python implementation of converting
# a string into a dictionary
# initialising first string
str1 = "Jan, Feb, March"
str2 = "January | February | March"
# splitting first string
# in order to get keys
keys = str1.split(", ")
# splitting second string
# in order to get values
values = str2.split("|")
# declaring the dictionary
dictionary = {}
# Assigning keys and its
# corresponding values in
# the dictionary
for i in range(len(keys)):
dictionary[keys[i]] = values[i]
# printing the generated dictionary
print(dictionary)
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
[END]
|
Python Program to convert string to dictionary
|
https://www.geeksforgeeks.org/ways-to-convert-string-to-dictionary/?ref=leftbar-rightbar
|
# Python implementation of converting
# a string into a dictionary
# initialising first string
str1 = "Jan, Feb, March"
str2 = "January | February | March"
# splitting first string
# in order to get keys
keys = str1.split(", ")
# splitting second string
# in order to get values
values = str2.split("|")
# declaring the dictionary
dictionary = {}
# Assigning keys and its
# corresponding values in
# the dictionary
dictionary = dict(zip(keys, values))
# printing the generated dictionary
print(dictionary)
|
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
|
Python Program to convert string to dictionary
# Python implementation of converting
# a string into a dictionary
# initialising first string
str1 = "Jan, Feb, March"
str2 = "January | February | March"
# splitting first string
# in order to get keys
keys = str1.split(", ")
# splitting second string
# in order to get values
values = str2.split("|")
# declaring the dictionary
dictionary = {}
# Assigning keys and its
# corresponding values in
# the dictionary
dictionary = dict(zip(keys, values))
# printing the generated dictionary
print(dictionary)
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
[END]
|
Python Program to convert string to dictionary
|
https://www.geeksforgeeks.org/ways-to-convert-string-to-dictionary/?ref=leftbar-rightbar
|
# Python implementation of converting
# a string into a dictionary
# importing ast module
import ast
# initialising string dictionary
str = '{"Jan" : "January", "Feb" : "February", "Mar" : "March"}'
# converting string into dictionary
dictionary = ast.literal_eval(str)
# printing the generated dictionary
print(dictionary)
|
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
|
Python Program to convert string to dictionary
# Python implementation of converting
# a string into a dictionary
# importing ast module
import ast
# initialising string dictionary
str = '{"Jan" : "January", "Feb" : "February", "Mar" : "March"}'
# converting string into dictionary
dictionary = ast.literal_eval(str)
# printing the generated dictionary
print(dictionary)
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
[END]
|
Python Program to convert string to dictionary
|
https://www.geeksforgeeks.org/ways-to-convert-string-to-dictionary/?ref=leftbar-rightbar
|
# Python implementation of converting
# a string into a dictionary
# initialising string
str = " Jan = January; Feb = February; Mar = March"
res = dict()
x = str.split(";")
for i in x:
a = i[: i.index("=")]
b = i[i.index("=") + 1 :]
res[a] = b
# printing the generated dictionary
print(res)
|
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
|
Python Program to convert string to dictionary
# Python implementation of converting
# a string into a dictionary
# initialising string
str = " Jan = January; Feb = February; Mar = March"
res = dict()
x = str.split(";")
for i in x:
a = i[: i.index("=")]
b = i[i.index("=") + 1 :]
res[a] = b
# printing the generated dictionary
print(res)
#Output : {' Jan ': ' January', ' Feb ': ' February', ' Mar ': ' March'}
[END]
|
Python - Convert dictionary to K sized dictionaries
|
https://www.geeksforgeeks.org/python-convert-dictionary-to-k-sized-dictionaries/
|
# Python3 code to demonstrate working of
# Convert dictionary to K Keys dictionaries
# Using loop
# initializing dictionary
test_dict = {"Gfg": 1, "is": 2, "best": 3, "for": 4, "geeks": 5, "CS": 6}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 2
res = []
count = 0
flag = 0
indict = dict()
for key in test_dict:
indict[key] = test_dict[key]
count += 1
# checking for K size and avoiding empty dict using flag
if count % K == 0 and flag:
res.append(indict)
# reinitializing dictionary
indict = dict()
count = 0
flag = 1
# printing result
print("The converted list : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 2, 'best': 3, 'for': 4, 'geeks': 5, 'CS': 6}
|
Python - Convert dictionary to K sized dictionaries
# Python3 code to demonstrate working of
# Convert dictionary to K Keys dictionaries
# Using loop
# initializing dictionary
test_dict = {"Gfg": 1, "is": 2, "best": 3, "for": 4, "geeks": 5, "CS": 6}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 2
res = []
count = 0
flag = 0
indict = dict()
for key in test_dict:
indict[key] = test_dict[key]
count += 1
# checking for K size and avoiding empty dict using flag
if count % K == 0 and flag:
res.append(indict)
# reinitializing dictionary
indict = dict()
count = 0
flag = 1
# printing result
print("The converted list : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 2, 'best': 3, 'for': 4, 'geeks': 5, 'CS': 6}
[END]
|
Python - Convert dictionary to K sized dictionaries
|
https://www.geeksforgeeks.org/python-convert-dictionary-to-k-sized-dictionaries/
|
# Python3 code to demonstrate working of
# Convert dictionary to K Keys dictionaries
# Using dictionary comprehension
# initializing dictionary
test_dict = {"Gfg": 1, "is": 2, "best": 3, "for": 4, "geeks": 5, "CS": 6}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 2
# using dictionary comprehension to create list of sub-dictionaries
res = [dict(list(test_dict.items())[i : i + K]) for i in range(0, len(test_dict), K)]
# printing result
print("The converted list : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 2, 'best': 3, 'for': 4, 'geeks': 5, 'CS': 6}
|
Python - Convert dictionary to K sized dictionaries
# Python3 code to demonstrate working of
# Convert dictionary to K Keys dictionaries
# Using dictionary comprehension
# initializing dictionary
test_dict = {"Gfg": 1, "is": 2, "best": 3, "for": 4, "geeks": 5, "CS": 6}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 2
# using dictionary comprehension to create list of sub-dictionaries
res = [dict(list(test_dict.items())[i : i + K]) for i in range(0, len(test_dict), K)]
# printing result
print("The converted list : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 2, 'best': 3, 'for': 4, 'geeks': 5, 'CS': 6}
[END]
|
Python - Convert dictionary to K sized dictionaries
|
https://www.geeksforgeeks.org/python-convert-dictionary-to-k-sized-dictionaries/
|
# Python3 code to demonstrate working of
# Convert dictionary to K Keys dictionaries
# Using iter function and dict constructor
import itertools
# initializing dictionary
test_dict = {"Gfg": 1, "is": 2, "best": 3, "for": 4, "geeks": 5, "CS": 6}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 2
# using iter function and dict constructor to create list of sub-dictionaries
it = iter(test_dict.items())
res = []
while True:
sub_dict = dict(itertools.islice(it, K))
if not sub_dict:
break
res.append(sub_dict)
# printing result
print("The converted list : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 2, 'best': 3, 'for': 4, 'geeks': 5, 'CS': 6}
|
Python - Convert dictionary to K sized dictionaries
# Python3 code to demonstrate working of
# Convert dictionary to K Keys dictionaries
# Using iter function and dict constructor
import itertools
# initializing dictionary
test_dict = {"Gfg": 1, "is": 2, "best": 3, "for": 4, "geeks": 5, "CS": 6}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 2
# using iter function and dict constructor to create list of sub-dictionaries
it = iter(test_dict.items())
res = []
while True:
sub_dict = dict(itertools.islice(it, K))
if not sub_dict:
break
res.append(sub_dict)
# printing result
print("The converted list : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 2, 'best': 3, 'for': 4, 'geeks': 5, 'CS': 6}
[END]
|
Python - Convert Matrix Rowix to dictionary
|
https://www.geeksforgeeks.org/python-convert-matrix-to-dictionary/
|
# Python3 code to demonstrate working of
# Convert Matrix to dictionary
# Using dictionary comprehension + range()
# initializing list
test_list = [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
# printing original list
print("The original list is : " + str(test_list))
# using dictionary comprehension for iteration
res = {idx + 1: test_list[idx] for idx in range(len(test_list))}
# printing result
print("The constructed dictionary : " + str(res))
|
#Output : The original list is : [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
|
Python - Convert Matrix Rowix to dictionary
# Python3 code to demonstrate working of
# Convert Matrix to dictionary
# Using dictionary comprehension + range()
# initializing list
test_list = [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
# printing original list
print("The original list is : " + str(test_list))
# using dictionary comprehension for iteration
res = {idx + 1: test_list[idx] for idx in range(len(test_list))}
# printing result
print("The constructed dictionary : " + str(res))
#Output : The original list is : [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
[END]
|
Python - Convert Matrix Rowix to dictionary
|
https://www.geeksforgeeks.org/python-convert-matrix-to-dictionary/
|
# Python3 code to demonstrate working of
# Convert Matrix to dictionary
# Using dictionary comprehension + enumerate()
# initializing list
test_list = [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
# printing original list
print("The original list is : " + str(test_list))
# enumerate used to perform assigning row number
res = {idx: val for idx, val in enumerate(test_list, start=1)}
# printing result
print("The constructed dictionary : " + str(res))
|
#Output : The original list is : [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
|
Python - Convert Matrix Rowix to dictionary
# Python3 code to demonstrate working of
# Convert Matrix to dictionary
# Using dictionary comprehension + enumerate()
# initializing list
test_list = [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
# printing original list
print("The original list is : " + str(test_list))
# enumerate used to perform assigning row number
res = {idx: val for idx, val in enumerate(test_list, start=1)}
# printing result
print("The constructed dictionary : " + str(res))
#Output : The original list is : [[5, 6, 7], [8, 3, 2], [8, 2, 1]]
[END]
|
Python - Create Nested Dictionary using give list
|
https://www.geeksforgeeks.org/python-create-nested-dictionary-using-given-list/
|
# Python3 code to demonstrate working of
# Nested Dictionary with List
# Using loop + zip()
# initializing dictionary and list
test_dict = {"Gfg": 4, "is": 5, "best": 9}
test_list = [8, 3, 2]
# printing original dictionary and list
print("The original dictionary is : " + str(test_dict))
print("The original list is : " + str(test_list))
# using zip() and loop to perform
# combining and assignment respectively.
res = {}
for key, ele in zip(test_list, test_dict.items()):
res[key] = dict([ele])
# printing result
print("The mapped dictionary : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 4, 'is': 5, 'best': 9}
|
Python - Create Nested Dictionary using give list
# Python3 code to demonstrate working of
# Nested Dictionary with List
# Using loop + zip()
# initializing dictionary and list
test_dict = {"Gfg": 4, "is": 5, "best": 9}
test_list = [8, 3, 2]
# printing original dictionary and list
print("The original dictionary is : " + str(test_dict))
print("The original list is : " + str(test_list))
# using zip() and loop to perform
# combining and assignment respectively.
res = {}
for key, ele in zip(test_list, test_dict.items()):
res[key] = dict([ele])
# printing result
print("The mapped dictionary : " + str(res))
#Output : The original dictionary is : {'Gfg': 4, 'is': 5, 'best': 9}
[END]
|
Python - Create Nested Dictionary using give list
|
https://www.geeksforgeeks.org/python-create-nested-dictionary-using-given-list/
|
# Python3 code to demonstrate working of
# Nested Dictionary with List
# Using dictionary comprehension + zip()
# initializing dictionary and list
test_dict = {"Gfg": 4, "is": 5, "best": 9}
test_list = [8, 3, 2]
# printing original dictionary and list
print("The original dictionary is : " + str(test_dict))
print("The original list is : " + str(test_list))
# zip() and dictionary comprehension mapped in one liner to solve
res = {idx: {key: test_dict[key]} for idx, key in zip(test_list, test_dict)}
# printing result
print("The mapped dictionary : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 4, 'is': 5, 'best': 9}
|
Python - Create Nested Dictionary using give list
# Python3 code to demonstrate working of
# Nested Dictionary with List
# Using dictionary comprehension + zip()
# initializing dictionary and list
test_dict = {"Gfg": 4, "is": 5, "best": 9}
test_list = [8, 3, 2]
# printing original dictionary and list
print("The original dictionary is : " + str(test_dict))
print("The original list is : " + str(test_list))
# zip() and dictionary comprehension mapped in one liner to solve
res = {idx: {key: test_dict[key]} for idx, key in zip(test_list, test_dict)}
# printing result
print("The mapped dictionary : " + str(res))
#Output : The original dictionary is : {'Gfg': 4, 'is': 5, 'best': 9}
[END]
|
Python - Swapping Hierarchy in Nested Dictionaries
|
https://www.geeksforgeeks.org/python-swapping-hierarchy-in-nested-dictionaries/
|
# Python3 code to demonstrate working of
# Swapping Hierarchy in Nested Dictionaries
# Using loop + items()
# initializing dictionary
test_dict = {
"Gfg": {"a": [1, 3], "b": [3, 6], "c": [6, 7, 8]},
"Best": {"a": [7, 9], "b": [5, 3, 2], "d": [0, 1, 0]},
}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Swapping Hierarchy in Nested Dictionaries
# Using loop + items()
res = dict()
for key, val in test_dict.items():
for key_in, val_in in val.items():
if key_in not in res:
temp = dict()
else:
temp = res[key_in]
temp[key] = val_in
res[key_in] = temp
# printing result
print("The rearranged dictionary : " + str(res))
|
#Output : {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
|
Python - Swapping Hierarchy in Nested Dictionaries
# Python3 code to demonstrate working of
# Swapping Hierarchy in Nested Dictionaries
# Using loop + items()
# initializing dictionary
test_dict = {
"Gfg": {"a": [1, 3], "b": [3, 6], "c": [6, 7, 8]},
"Best": {"a": [7, 9], "b": [5, 3, 2], "d": [0, 1, 0]},
}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Swapping Hierarchy in Nested Dictionaries
# Using loop + items()
res = dict()
for key, val in test_dict.items():
for key_in, val_in in val.items():
if key_in not in res:
temp = dict()
else:
temp = res[key_in]
temp[key] = val_in
res[key_in] = temp
# printing result
print("The rearranged dictionary : " + str(res))
#Output : {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
[END]
|
Python - Swapping Hierarchy in Nested Dictionaries
|
https://www.geeksforgeeks.org/python-swapping-hierarchy-in-nested-dictionaries/
|
# Python3 code to demonstrate working of
# Swapping Hierarchy in Nested Dictionaries
# Using defaultdict() + loop
from collections import defaultdict
# initializing dictionary
test_dict = {
"Gfg": {"a": [1, 3], "b": [3, 6], "c": [6, 7, 8]},
"Best": {"a": [7, 9], "b": [5, 3, 2], "d": [0, 1, 0]},
}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Swapping Hierarchy in Nested Dictionaries
# Using defaultdict() + loop
res = defaultdict(dict)
for key, val in test_dict.items():
for key_in, val_in in val.items():
res[key_in][key] = val_in
# printing result
print("The rearranged dictionary : " + str(dict(res)))
|
#Output : {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
|
Python - Swapping Hierarchy in Nested Dictionaries
# Python3 code to demonstrate working of
# Swapping Hierarchy in Nested Dictionaries
# Using defaultdict() + loop
from collections import defaultdict
# initializing dictionary
test_dict = {
"Gfg": {"a": [1, 3], "b": [3, 6], "c": [6, 7, 8]},
"Best": {"a": [7, 9], "b": [5, 3, 2], "d": [0, 1, 0]},
}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Swapping Hierarchy in Nested Dictionaries
# Using defaultdict() + loop
res = defaultdict(dict)
for key, val in test_dict.items():
for key_in, val_in in val.items():
res[key_in][key] = val_in
# printing result
print("The rearranged dictionary : " + str(dict(res)))
#Output : {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
[END]
|
Python - Swapping Hierarchy in Nested Dictionaries
|
https://www.geeksforgeeks.org/python-swapping-hierarchy-in-nested-dictionaries/
|
def swap_hierarchy(test_dict):
new_dict = {
key2: {key1: test_dict[key1][key2] for key1 in test_dict}
for key2 in test_dict[next(iter(test_dict))]
}
return new_dict
test_dict1 = {"Gfg": {"a": [1, 3, 7, 8], "b": [4, 9], "c": [0, 7]}}
output1 = swap_hierarchy(test_dict1)
print(
output1
) # {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
test_dict2 = {"Gfg": {"best": [1, 3, 4]}}
output2 = swap_hierarchy(test_dict2)
print(output2) # {'best': {'Gfg': [1, 3, 4]}}
|
#Output : {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
|
Python - Swapping Hierarchy in Nested Dictionaries
def swap_hierarchy(test_dict):
new_dict = {
key2: {key1: test_dict[key1][key2] for key1 in test_dict}
for key2 in test_dict[next(iter(test_dict))]
}
return new_dict
test_dict1 = {"Gfg": {"a": [1, 3, 7, 8], "b": [4, 9], "c": [0, 7]}}
output1 = swap_hierarchy(test_dict1)
print(
output1
) # {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
test_dict2 = {"Gfg": {"best": [1, 3, 4]}}
output2 = swap_hierarchy(test_dict2)
print(output2) # {'best': {'Gfg': [1, 3, 4]}}
#Output : {'a': {'Gfg': [1, 3, 7, 8]}, 'b': {'Gfg': [4, 9]}, 'c': {'Gfg': [0, 7]}}
[END]
|
Python - Inversion in nested dictionary
|
https://www.geeksforgeeks.org/python-inversion-in-nested-dictionary/
|
# Python3 code to demonstrate working of
# Inversion in nested dictionary
# Using loop + recursion
# utility function to get all paths till end
def extract_path(test_dict, path_way):
if not test_dict:
return [path_way]
temp = []
for key in test_dict:
temp.extend(extract_path(test_dict[key], path_way + [key]))
return temp
# function to compute inversion
def hlper_fnc(test_dict):
all_paths = extract_path(test_dict, [])
res = {}
for path in all_paths:
front = res
for ele in path[::-1]:
if ele not in front:
front[ele] = {}
front = front[ele]
return res
# initializing dictionary
test_dict = {"a": {"b": {"c": {}}}, "d": {"e": {}}, "f": {"g": {"h": {}}}}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# calling helper function for task
res = hlper_fnc(test_dict)
# printing result
print("The inverted dictionary : " + str(res))
|
#Output : The original dictionary is : {'a': {'b': {'c': {}}}, 'd': {'e': {}}, 'f': {'g': {'h': {}}}}
|
Python - Inversion in nested dictionary
# Python3 code to demonstrate working of
# Inversion in nested dictionary
# Using loop + recursion
# utility function to get all paths till end
def extract_path(test_dict, path_way):
if not test_dict:
return [path_way]
temp = []
for key in test_dict:
temp.extend(extract_path(test_dict[key], path_way + [key]))
return temp
# function to compute inversion
def hlper_fnc(test_dict):
all_paths = extract_path(test_dict, [])
res = {}
for path in all_paths:
front = res
for ele in path[::-1]:
if ele not in front:
front[ele] = {}
front = front[ele]
return res
# initializing dictionary
test_dict = {"a": {"b": {"c": {}}}, "d": {"e": {}}, "f": {"g": {"h": {}}}}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# calling helper function for task
res = hlper_fnc(test_dict)
# printing result
print("The inverted dictionary : " + str(res))
#Output : The original dictionary is : {'a': {'b': {'c': {}}}, 'd': {'e': {}}, 'f': {'g': {'h': {}}}}
[END]
|
Python - Inversion in nested dictionary
|
https://www.geeksforgeeks.org/python-inversion-in-nested-dictionary/
|
# Sample input dictionary
test_dict = {"a": {"b": {}}, "d": {"e": {}}, "f": {"g": {}}}
# Invert the nested dictionary using a stack
stack = [(test_dict, None)]
inverted_dict = {}
while stack:
d, parent_key = stack.pop()
for k, v in d.items():
if parent_key is not None:
inverted_dict.setdefault(k, {}).update({parent_key: {}})
if isinstance(v, dict):
stack.append((v, k))
# Output the inverted dictionary
print(inverted_dict)
|
#Output : The original dictionary is : {'a': {'b': {'c': {}}}, 'd': {'e': {}}, 'f': {'g': {'h': {}}}}
|
Python - Inversion in nested dictionary
# Sample input dictionary
test_dict = {"a": {"b": {}}, "d": {"e": {}}, "f": {"g": {}}}
# Invert the nested dictionary using a stack
stack = [(test_dict, None)]
inverted_dict = {}
while stack:
d, parent_key = stack.pop()
for k, v in d.items():
if parent_key is not None:
inverted_dict.setdefault(k, {}).update({parent_key: {}})
if isinstance(v, dict):
stack.append((v, k))
# Output the inverted dictionary
print(inverted_dict)
#Output : The original dictionary is : {'a': {'b': {'c': {}}}, 'd': {'e': {}}, 'f': {'g': {'h': {}}}}
[END]
|
Python - Reverse Dictionary Keys order
|
https://www.geeksforgeeks.org/python-reverse-dictionary-keys-order/
|
# Python3 code to demonstrate working of
# Reverse Dictionary Keys Order
# Using OrderedDict() + reversed() + items()
from collections import OrderedDict
# initializing dictionary
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Reverse Dictionary Keys Order
# Using OrderedDict() + reversed() + items()
res = OrderedDict(reversed(list(test_dict.items())))
# printing result
print("The reversed order dictionary : " + str(res))
|
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
|
Python - Reverse Dictionary Keys order
# Python3 code to demonstrate working of
# Reverse Dictionary Keys Order
# Using OrderedDict() + reversed() + items()
from collections import OrderedDict
# initializing dictionary
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Reverse Dictionary Keys Order
# Using OrderedDict() + reversed() + items()
res = OrderedDict(reversed(list(test_dict.items())))
# printing result
print("The reversed order dictionary : " + str(res))
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
[END]
|
Python - Reverse Dictionary Keys order
|
https://www.geeksforgeeks.org/python-reverse-dictionary-keys-order/
|
# Python3 code to demonstrate working of
# Reverse Dictionary Keys Order
# Using reversed() + items()
# initializing dictionary
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Reverse Dictionary Keys Order
# Using reversed() + items()
res = dict(reversed(list(test_dict.items())))
# printing result
print("The reversed order dictionary : " + str(res))
|
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
|
Python - Reverse Dictionary Keys order
# Python3 code to demonstrate working of
# Reverse Dictionary Keys Order
# Using reversed() + items()
# initializing dictionary
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Reverse Dictionary Keys Order
# Using reversed() + items()
res = dict(reversed(list(test_dict.items())))
# printing result
print("The reversed order dictionary : " + str(res))
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
[END]
|
Python - Reverse Dictionary Keys order
|
https://www.geeksforgeeks.org/python-reverse-dictionary-keys-order/
|
from collections import OrderedDict, deque # import deque
def reverse_dict_keys_order(test_dict): # define input
keys_deque = deque(test_dict.keys()) # get keys
keys_deque.reverse() # reverse the keys
new_dict = {key: test_dict[key] for key in keys_deque} # assign values to the key
new_ordered_dict = OrderedDict(new_dict) # assign to new dict
return new_ordered_dict # return result
test_dict = {"is": 2, "gfg": 4, "best": 5} # input
print(reverse_dict_keys_order(test_dict)) # print output
|
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
|
Python - Reverse Dictionary Keys order
from collections import OrderedDict, deque # import deque
def reverse_dict_keys_order(test_dict): # define input
keys_deque = deque(test_dict.keys()) # get keys
keys_deque.reverse() # reverse the keys
new_dict = {key: test_dict[key] for key in keys_deque} # assign values to the key
new_ordered_dict = OrderedDict(new_dict) # assign to new dict
return new_ordered_dict # return result
test_dict = {"is": 2, "gfg": 4, "best": 5} # input
print(reverse_dict_keys_order(test_dict)) # print output
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
[END]
|
Python - Reverse Dictionary Keys order
|
https://www.geeksforgeeks.org/python-reverse-dictionary-keys-order/
|
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
reversed_dict = {}
while test_dict:
key, value = test_dict.popitem()
reversed_dict[key] = value
print("The reversed order dictionary : " + str(reversed_dict))
# This code is contributed by Jyothi pinjala.
|
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
|
Python - Reverse Dictionary Keys order
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
reversed_dict = {}
while test_dict:
key, value = test_dict.popitem()
reversed_dict[key] = value
print("The reversed order dictionary : " + str(reversed_dict))
# This code is contributed by Jyothi pinjala.
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
[END]
|
Python - Reverse Dictionary Keys order
|
https://www.geeksforgeeks.org/python-reverse-dictionary-keys-order/
|
# Python3 code to demonstrate working of
# Reverse Dictionary Keys Order
# Using sorted() and lambda
# initializing dictionary
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Reverse Dictionary Keys Order
# Using sorted() and lambda
res = {
k: test_dict[k]
for k in sorted(
test_dict, key=lambda x: list(test_dict.keys()).index(x), reverse=True
)
}
# printing result
print("The reversed order dictionary : " + str(res))
|
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
|
Python - Reverse Dictionary Keys order
# Python3 code to demonstrate working of
# Reverse Dictionary Keys Order
# Using sorted() and lambda
# initializing dictionary
test_dict = {"gfg": 4, "is": 2, "best": 5}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# Reverse Dictionary Keys Order
# Using sorted() and lambda
res = {
k: test_dict[k]
for k in sorted(
test_dict, key=lambda x: list(test_dict.keys()).index(x), reverse=True
)
}
# printing result
print("The reversed order dictionary : " + str(res))
#Output : The original dictionary : {'gfg': 4, 'is': 2, 'best': 5}
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using all() + list comprehension
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# using all() to check for occurrence in list and dict
# encapsulating list and dictionary keys in list
res = None
if all(K in sub for sub in [test_dict, test_list]):
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using all() + list comprehension
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# using all() to check for occurrence in list and dict
# encapsulating list and dictionary keys in list
res = None
if all(K in sub for sub in [test_dict, test_list]):
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using set() + intersection()
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# conversion of lists to set and intersection with keys
# using intersection
res = None
if K in set(test_list).intersection(test_dict):
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using set() + intersection()
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# conversion of lists to set and intersection with keys
# using intersection
res = None
if K in set(test_list).intersection(test_dict):
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
if K in test_dict.keys() and K in test_list:
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
if K in test_dict.keys() and K in test_list:
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
import operator as op
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
if op.countOf(test_dict.keys(), K) > 0 and op.countOf(test_list, K) > 0:
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
import operator as op
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
if op.countOf(test_dict.keys(), K) > 0 and op.countOf(test_list, K) > 0:
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using any() + dictionary.get() method
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# using any() to check for occurrence in list and dict
# accessing value of key using dictionary.get() method
res = None
if K in test_list and K in test_dict:
res = test_dict.get(K)
# printing result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using any() + dictionary.get() method
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# using any() to check for occurrence in list and dict
# accessing value of key using dictionary.get() method
res = None
if K in test_list and K in test_dict:
res = test_dict.get(K)
# printing result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
K = "Gfg"
try:
# check if K is present in both test_list and test_dict keys
if K in test_list and K in test_dict.keys():
# if yes, extract value of K from test_dict
res = test_dict[K]
else:
# if no, set result to None
res = None
except KeyError:
# handle KeyError exception
res = None
# print result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
K = "Gfg"
try:
# check if K is present in both test_list and test_dict keys
if K in test_list and K in test_dict.keys():
# if yes, extract value of K from test_dict
res = test_dict[K]
else:
# if no, set result to None
res = None
except KeyError:
# handle KeyError exception
res = None
# print result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using try-except block with .get() method
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# using try-except block with .get() method
res = None
try:
if K in test_list and K in test_dict:
res = test_dict.get(K)
except KeyError:
pass
# printing result
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
# Python3 code to demonstrate working of
# Extract Key's Value, if Key Present in List and Dictionary
# Using try-except block with .get() method
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# using try-except block with .get() method
res = None
try:
if K in test_list and K in test_dict:
res = test_dict.get(K)
except KeyError:
pass
# printing result
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
K = "Gfg"
# Method 9: Using a for loop to iterate through the list and dictionary
res = None
for item in test_list:
if item == K:
res = test_dict.get(K)
break
print("Method 9: Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
K = "Gfg"
# Method 9: Using a for loop to iterate through the list and dictionary
res = None
for item in test_list:
if item == K:
res = test_dict.get(K)
break
print("Method 9: Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
import numpy as np
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# Using numpy's isin() function to check if K is present in both the list and dictionary
if np.isin(K, test_list) and np.isin(K, np.array(list(test_dict.keys()))):
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
# This code is contributed by Jyothi pinjala.
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
import numpy as np
# initializing list
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
# initializing Dictionary
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
# initializing K
K = "Gfg"
# printing original list and Dictionary
print("The original list : " + str(test_list))
print("The original Dictionary : " + str(test_dict))
# Using numpy's isin() function to check if K is present in both the list and dictionary
if np.isin(K, test_list) and np.isin(K, np.array(list(test_dict.keys()))):
res = test_dict[K]
# printing result
print("Extracted Value : " + str(res))
# This code is contributed by Jyothi pinjala.
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
|
https://www.geeksforgeeks.org/python-extract-keys-value-if-key-present-in-list-and-dictionary/
|
def extract_value(test_list, test_dict, K):
if not test_list:
return None
elif test_list[0] == K:
return test_dict.get(K)
else:
return extract_value(test_list[1:], test_dict, K)
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
K = "Gfg"
res = extract_value(test_list, test_dict, K)
print("Extracted Value : " + str(res))
|
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
|
Python - Extract Key - s Value, if Key Present in List and Dictionary
def extract_value(test_list, test_dict, K):
if not test_list:
return None
elif test_list[0] == K:
return test_dict.get(K)
else:
return extract_value(test_list[1:], test_dict, K)
test_list = ["Gfg", "is", "Good", "for", "Geeks"]
test_dict = {"Gfg": 2, "is": 4, "Best": 6}
K = "Gfg"
res = extract_value(test_list, test_dict, K)
print("Extracted Value : " + str(res))
#Input : test_list = ["Gfg", "is", "Good", "for", "Geeks"],
test_dict = {"Gfg" : 5, "Best" : 6}, K = "Gfg"
[END]
|
Python - Remove keys with Values Greater than K ( Including mixed values)
|
https://www.geeksforgeeks.org/python-remove-keys-with-values-greater-than-k-including-mixed-values/
|
# Python3 code to demonstrate working of
# Remove keys with Values Greater than K ( Including mixed values )
# Using loop + isinstance()
# initializing dictionary
test_dict = {"Gfg": 3, "is": 7, "best": 10, "for": 6, "geeks": "CS"}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 6
# using loop to iterate keys of dictionary
res = {}
for key in test_dict:
# testing for data type and then condition, order is imp.
if not (isinstance(test_dict[key], int) and test_dict[key] > K):
res[key] = test_dict[key]
# printing result
print("The constructed dictionary : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 3, 'is': 7, 'best': 10, 'for': 6, 'geeks': 'CS'}
|
Python - Remove keys with Values Greater than K ( Including mixed values)
# Python3 code to demonstrate working of
# Remove keys with Values Greater than K ( Including mixed values )
# Using loop + isinstance()
# initializing dictionary
test_dict = {"Gfg": 3, "is": 7, "best": 10, "for": 6, "geeks": "CS"}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 6
# using loop to iterate keys of dictionary
res = {}
for key in test_dict:
# testing for data type and then condition, order is imp.
if not (isinstance(test_dict[key], int) and test_dict[key] > K):
res[key] = test_dict[key]
# printing result
print("The constructed dictionary : " + str(res))
#Output : The original dictionary is : {'Gfg': 3, 'is': 7, 'best': 10, 'for': 6, 'geeks': 'CS'}
[END]
|
Python - Remove keys with Values Greater than K ( Including mixed values)
|
https://www.geeksforgeeks.org/python-remove-keys-with-values-greater-than-k-including-mixed-values/
|
# Python3 code to demonstrate working of
# Remove keys with Values Greater than K ( Including mixed values )
# Using dictionary comprehension + isinstance()
# initializing dictionary
test_dict = {"Gfg": 3, "is": 7, "best": 10, "for": 6, "geeks": "CS"}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 6
# using list comprehension to perform in one line
res = {
key: val
for key, val in test_dict.items()
if not (isinstance(val, int) and (val > K))
}
# printing result
print("The constructed dictionary : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 3, 'is': 7, 'best': 10, 'for': 6, 'geeks': 'CS'}
|
Python - Remove keys with Values Greater than K ( Including mixed values)
# Python3 code to demonstrate working of
# Remove keys with Values Greater than K ( Including mixed values )
# Using dictionary comprehension + isinstance()
# initializing dictionary
test_dict = {"Gfg": 3, "is": 7, "best": 10, "for": 6, "geeks": "CS"}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# initializing K
K = 6
# using list comprehension to perform in one line
res = {
key: val
for key, val in test_dict.items()
if not (isinstance(val, int) and (val > K))
}
# printing result
print("The constructed dictionary : " + str(res))
#Output : The original dictionary is : {'Gfg': 3, 'is': 7, 'best': 10, 'for': 6, 'geeks': 'CS'}
[END]
|
Python - Remove keys with Values Greater than K ( Including mixed values)
|
https://www.geeksforgeeks.org/python-remove-keys-with-values-greater-than-k-including-mixed-values/
|
# initializing dictionary
test_dict = {"Gfg": 3, "is": 7, "best": 10, "for": 6, "geeks": "CS"}
# printing original dictionary
print("The original dictionary is: " + str(test_dict))
# initializing K
K = 6
# using filter() and dictionary comprehension to construct a new dictionary
res = dict(
filter(
lambda item: not (isinstance(item[1], int) and item[1] > K), test_dict.items()
)
)
# printing result
print("The constructed dictionary: " + str(res))
|
#Output : The original dictionary is : {'Gfg': 3, 'is': 7, 'best': 10, 'for': 6, 'geeks': 'CS'}
|
Python - Remove keys with Values Greater than K ( Including mixed values)
# initializing dictionary
test_dict = {"Gfg": 3, "is": 7, "best": 10, "for": 6, "geeks": "CS"}
# printing original dictionary
print("The original dictionary is: " + str(test_dict))
# initializing K
K = 6
# using filter() and dictionary comprehension to construct a new dictionary
res = dict(
filter(
lambda item: not (isinstance(item[1], int) and item[1] > K), test_dict.items()
)
)
# printing result
print("The constructed dictionary: " + str(res))
#Output : The original dictionary is : {'Gfg': 3, 'is': 7, 'best': 10, 'for': 6, 'geeks': 'CS'}
[END]
|
Python - Remove keys with substring values
|
https://www.geeksforgeeks.org/python-remove-keys-with-substring-values/
|
# Python3 code to demonstrate working of
# Remove keys with substring values
# Using any() + generator expression
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using any() + generator expression
res = dict()
for key, val in test_dict.items():
if not any(ele in val for ele in sub_list):
res[key] = val
# printing result
print("Filtered Dictionary : " + str(res))
|
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
|
Python - Remove keys with substring values
# Python3 code to demonstrate working of
# Remove keys with substring values
# Using any() + generator expression
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using any() + generator expression
res = dict()
for key, val in test_dict.items():
if not any(ele in val for ele in sub_list):
res[key] = val
# printing result
print("Filtered Dictionary : " + str(res))
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
[END]
|
Python - Remove keys with substring values
|
https://www.geeksforgeeks.org/python-remove-keys-with-substring-values/
|
# Python3 code to demonstrate working of
# Remove keys with substring values
# Using dictionary comprehension + any()
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using dictionary comprehension + any()
res = {
key: val
for key, val in test_dict.items()
if not any(ele in val for ele in sub_list)
}
# printing result
print("Filtered Dictionary : " + str(res))
|
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
|
Python - Remove keys with substring values
# Python3 code to demonstrate working of
# Remove keys with substring values
# Using dictionary comprehension + any()
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using dictionary comprehension + any()
res = {
key: val
for key, val in test_dict.items()
if not any(ele in val for ele in sub_list)
}
# printing result
print("Filtered Dictionary : " + str(res))
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
[END]
|
Python - Remove keys with substring values
|
https://www.geeksforgeeks.org/python-remove-keys-with-substring-values/
|
test_dict = {1: "Gfg is love", 2: "Gfg is good"}
sub_list = ["love", "good"]
for key, value in list(test_dict.items()):
for sub in sub_list:
if sub in value:
test_dict.pop(key)
print(test_dict)
|
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
|
Python - Remove keys with substring values
test_dict = {1: "Gfg is love", 2: "Gfg is good"}
sub_list = ["love", "good"]
for key, value in list(test_dict.items()):
for sub in sub_list:
if sub in value:
test_dict.pop(key)
print(test_dict)
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
[END]
|
Python - Remove keys with substring values
|
https://www.geeksforgeeks.org/python-remove-keys-with-substring-values/
|
# Python3 code to demonstrate working of
# Remove keys with substring values
# Using filter() + lambda
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using filter() + lambda
res = dict(
filter(lambda item: not any(sub in item[1] for sub in sub_list), test_dict.items())
)
# printing result
print("Filtered Dictionary : " + str(res))
|
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
|
Python - Remove keys with substring values
# Python3 code to demonstrate working of
# Remove keys with substring values
# Using filter() + lambda
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using filter() + lambda
res = dict(
filter(lambda item: not any(sub in item[1] for sub in sub_list), test_dict.items())
)
# printing result
print("Filtered Dictionary : " + str(res))
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
[END]
|
Python - Remove keys with substring values
|
https://www.geeksforgeeks.org/python-remove-keys-with-substring-values/
|
# Import reduce from functools
from functools import reduce
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using reduce() + lambda
res = reduce(
lambda d, k: {**d, k: test_dict[k]},
filter(lambda k: not any(sub in test_dict[k] for sub in sub_list), test_dict),
{},
)
# printing result
print("Filtered Dictionary : " + str(res))
# This code is contributed by Jyothi pinjala.
|
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
|
Python - Remove keys with substring values
# Import reduce from functools
from functools import reduce
# initializing dictionary
test_dict = {1: "Gfg is best for geeks", 2: "Gfg is good", 3: "I love Gfg"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing substrings
sub_list = ["love", "good"]
# Remove keys with substring values
# Using reduce() + lambda
res = reduce(
lambda d, k: {**d, k: test_dict[k]},
filter(lambda k: not any(sub in test_dict[k] for sub in sub_list), test_dict),
{},
)
# printing result
print("Filtered Dictionary : " + str(res))
# This code is contributed by Jyothi pinjala.
#Output : The original dictionary : {1: 'Gfg is best for geeks', 2: 'Gfg is good', 3: 'I love Gfg'}
[END]
|
Python - Dictionary with maximum count of pairs
|
https://www.geeksforgeeks.org/python-dictionary-with-maximum-count-of-pairs/
|
# Python3 code to demonstrate working of
# Dictionary with maximum keys
# Using loop + len()
# initializing list
test_list = [{"gfg": 2, "best": 4}, {"gfg": 2, "is": 3, "best": 4}, {"gfg": 2}]
# printing original list
print("The original list is : " + str(test_list))
res = {}
max_len = 0
for ele in test_list:
# checking for lengths
if len(ele) > max_len:
res = ele
max_len = len(ele)
# printing results
print("Maximum keys Dictionary : " + str(res))
|
#Output : The original list is : [{'gfg': 2, 'best': 4}, {'gfg': 2, 'is': 3, 'best': 4}, {'gfg': 2}]
|
Python - Dictionary with maximum count of pairs
# Python3 code to demonstrate working of
# Dictionary with maximum keys
# Using loop + len()
# initializing list
test_list = [{"gfg": 2, "best": 4}, {"gfg": 2, "is": 3, "best": 4}, {"gfg": 2}]
# printing original list
print("The original list is : " + str(test_list))
res = {}
max_len = 0
for ele in test_list:
# checking for lengths
if len(ele) > max_len:
res = ele
max_len = len(ele)
# printing results
print("Maximum keys Dictionary : " + str(res))
#Output : The original list is : [{'gfg': 2, 'best': 4}, {'gfg': 2, 'is': 3, 'best': 4}, {'gfg': 2}]
[END]
|
Python - Dictionary with maximum count of pairs
|
https://www.geeksforgeeks.org/python-dictionary-with-maximum-count-of-pairs/
|
# Python3 code to demonstrate working of
# Dictionary with maximum keys
# Using max() + key = len
# initializing list
test_list = [{"gfg": 2, "best": 4}, {"gfg": 2, "is": 3, "best": 4}, {"gfg": 2}]
# printing original list
print("The original list is : " + str(test_list))
# maximum length dict using len param
res = max(test_list, key=len)
# printing results
print("Maximum keys Dictionary : " + str(res))
|
#Output : The original list is : [{'gfg': 2, 'best': 4}, {'gfg': 2, 'is': 3, 'best': 4}, {'gfg': 2}]
|
Python - Dictionary with maximum count of pairs
# Python3 code to demonstrate working of
# Dictionary with maximum keys
# Using max() + key = len
# initializing list
test_list = [{"gfg": 2, "best": 4}, {"gfg": 2, "is": 3, "best": 4}, {"gfg": 2}]
# printing original list
print("The original list is : " + str(test_list))
# maximum length dict using len param
res = max(test_list, key=len)
# printing results
print("Maximum keys Dictionary : " + str(res))
#Output : The original list is : [{'gfg': 2, 'best': 4}, {'gfg': 2, 'is': 3, 'best': 4}, {'gfg': 2}]
[END]
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
|
https://www.geeksforgeeks.org/python-append-dictionary-keys-and-values-in-order-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values ( In order ) in dictionary
# Using values() + keys() + list()
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# + operator is used to perform adding keys and values
res = list(test_dict.keys()) + list(test_dict.values())
# printing result
print("The ordered keys and values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values ( In order ) in dictionary
# Using values() + keys() + list()
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# + operator is used to perform adding keys and values
res = list(test_dict.keys()) + list(test_dict.values())
# printing result
print("The ordered keys and values : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
[END]
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
|
https://www.geeksforgeeks.org/python-append-dictionary-keys-and-values-in-order-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values ( In order ) in dictionary
# Using chain() + keys() + values()
from itertools import chain
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# chain() is used for concatenation
res = list(chain(test_dict.keys(), test_dict.values()))
# printing result
print("The ordered keys and values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values ( In order ) in dictionary
# Using chain() + keys() + values()
from itertools import chain
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# chain() is used for concatenation
res = list(chain(test_dict.keys(), test_dict.values()))
# printing result
print("The ordered keys and values : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
[END]
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
|
https://www.geeksforgeeks.org/python-append-dictionary-keys-and-values-in-order-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values
# ( In order ) in dictionary
# Using values() + keys() + extend()+list()
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
a = list(test_dict.keys())
b = list(test_dict.values())
a.extend(b)
res = a
# printing result
print("The ordered keys and values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values
# ( In order ) in dictionary
# Using values() + keys() + extend()+list()
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
a = list(test_dict.keys())
b = list(test_dict.values())
a.extend(b)
res = a
# printing result
print("The ordered keys and values : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
[END]
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
|
https://www.geeksforgeeks.org/python-append-dictionary-keys-and-values-in-order-in-dictionary/?ref=leftbar-rightbar
|
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# using the zip() function and list comprehension to append dictionary keys and values
res = [val for val in zip(test_dict.values(), test_dict.keys())]
# printing result
print("The ordered keys and values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# using the zip() function and list comprehension to append dictionary keys and values
res = [val for val in zip(test_dict.values(), test_dict.keys())]
# printing result
print("The ordered keys and values : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
[END]
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
|
https://www.geeksforgeeks.org/python-append-dictionary-keys-and-values-in-order-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values ( In order ) in dictionary
# Using sorted() + list comprehension
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# using sorted() to get the keys in alphabetical order
keys = sorted(test_dict.keys())
# using list comprehension to get the values corresponding to each key
values = [test_dict[key] for key in keys]
# concatenating the keys and values lists
res = keys + values
# printing result
print("The ordered keys and values : " + str(res))
|
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
|
Python - Append Dictionary Keys and Values ( In order ) in dictionary
# Python3 code to demonstrate working of
# Append Dictionary Keys and Values ( In order ) in dictionary
# Using sorted() + list comprehension
# initializing dictionary
test_dict = {"Gfg": 1, "is": 3, "Best": 2}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# using sorted() to get the keys in alphabetical order
keys = sorted(test_dict.keys())
# using list comprehension to get the values corresponding to each key
values = [test_dict[key] for key in keys]
# concatenating the keys and values lists
res = keys + values
# printing result
print("The ordered keys and values : " + str(res))
#Output : The original dictionary is : {'Gfg': 1, 'is': 3, 'Best': 2}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# Using set comprehension + values() + sorted()
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
# Using set comprehension + values() + sorted()
res = list(sorted({ele for val in test_dict.values() for ele in val}))
# printing result
print("The unique values list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# Using set comprehension + values() + sorted()
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
# Using set comprehension + values() + sorted()
res = list(sorted({ele for val in test_dict.values() for ele in val}))
# printing result
print("The unique values list is : " + str(res))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# Using chain() + sorted() + values()
from itertools import chain
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
# Using chain() + sorted() + values()
res = list(sorted(set(chain(*test_dict.values()))))
# printing result
print("The unique values list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# Using chain() + sorted() + values()
from itertools import chain
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
# Using chain() + sorted() + values()
res = list(sorted(set(chain(*test_dict.values()))))
# printing result
print("The unique values list is : " + str(res))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
x = []
for i in test_dict.keys():
x.extend(test_dict[i])
x = list(set(x))
x.sort()
# printing result
print("The unique values list is : " + str(x))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
x = []
for i in test_dict.keys():
x.extend(test_dict[i])
x = list(set(x))
x.sort()
# printing result
print("The unique values list is : " + str(x))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
x = list(test_dict.values())
y = []
res = []
for i in x:
y.extend(i)
for i in y:
if i not in res:
res.append(i)
res.sort()
# printing result
print("The unique values list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
x = list(test_dict.values())
y = []
res = []
for i in x:
y.extend(i)
for i in y:
if i not in res:
res.append(i)
res.sort()
# printing result
print("The unique values list is : " + str(res))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
from collections import Counter
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
valuesList = []
for key, values in test_dict.items():
for value in values:
valuesList.append(value)
freq = Counter(valuesList)
uniqueValues = list(freq.keys())
uniqueValues.sort()
# printing result
print("The unique values list is : " + str(uniqueValues))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
from collections import Counter
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
valuesList = []
for key, values in test_dict.items():
for value in values:
valuesList.append(value)
freq = Counter(valuesList)
uniqueValues = list(freq.keys())
uniqueValues.sort()
# printing result
print("The unique values list is : " + str(uniqueValues))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
import operator as op
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
x = list(test_dict.values())
y = []
res = []
for i in x:
y.extend(i)
for i in y:
if op.countOf(res, i) == 0:
res.append(i)
res.sort()
# printing result
print("The unique values list is : " + str(res))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
import operator as op
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
x = list(test_dict.values())
y = []
res = []
for i in x:
y.extend(i)
for i in y:
if op.countOf(res, i) == 0:
res.append(i)
res.sort()
# printing result
print("The unique values list is : " + str(res))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Extract Unique values dictionary values
|
https://www.geeksforgeeks.org/python-extract-unique-values-dictionary-values/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
result = list(set(sum(test_dict.values(), [])))
# printing result
print("The unique values list is : " + str(result))
|
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
|
Python - Extract Unique values dictionary values
# Python3 code to demonstrate working of
# Extract Unique values dictionary values
# initializing dictionary
test_dict = {
"gfg": [5, 6, 7, 8],
"is": [10, 11, 7, 5],
"best": [6, 12, 10, 8],
"for": [1, 2, 5],
}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Extract Unique values dictionary values
result = list(set(sum(test_dict.values(), [])))
# printing result
print("The unique values list is : " + str(result))
#Output : The original dictionary is : {'gfg': [5, 6, 7, 8], 'is': [10, 11, 7, 5], 'best': [6, 12, 10, 8], 'for': [1, 2, 5]}
[END]
|
Python - Keys associated with Values in Dictionary
|
https://www.geeksforgeeks.org/python-keys-associated-with-values-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Values Associated Keys
# Using defaultdict() + loop
from collections import defaultdict
# initializing dictionary
test_dict = {"gfg": [1, 2, 3], "is": [1, 4], "best": [4, 2]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Values Associated Keys
# Using defaultdict() + loop
res = defaultdict(list)
for key, val in test_dict.items():
for ele in val:
res[ele].append(key)
# printing result
print("The values associated dictionary : " + str(dict(res)))
|
#Output : The original dictionary is : {'is': [1, 4], 'gfg': [1, 2, 3], 'best': [4, 2]}
|
Python - Keys associated with Values in Dictionary
# Python3 code to demonstrate working of
# Values Associated Keys
# Using defaultdict() + loop
from collections import defaultdict
# initializing dictionary
test_dict = {"gfg": [1, 2, 3], "is": [1, 4], "best": [4, 2]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Values Associated Keys
# Using defaultdict() + loop
res = defaultdict(list)
for key, val in test_dict.items():
for ele in val:
res[ele].append(key)
# printing result
print("The values associated dictionary : " + str(dict(res)))
#Output : The original dictionary is : {'is': [1, 4], 'gfg': [1, 2, 3], 'best': [4, 2]}
[END]
|
Python - Keys associated with Values in Dictionary
|
https://www.geeksforgeeks.org/python-keys-associated-with-values-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Assign values to initialized dictionary keys
# Python3 code to demonstrate working of
# Values Associated Keys
# Using dict comprehension + loop
# initializing dictionary
test_dict = {"gfg": [1, 2, 3], "is": [1, 4], "best": [4, 2]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Values Associated Keys
# Using dict comprehension + loop
result_dict = {}
for key, val in test_dict.items():
for ele in val:
if ele in result_dict:
result_dict[ele].append(key)
else:
result_dict[ele] = [key]
# printing result
print("The values associated dictionary : " + str(result_dict))
|
#Output : The original dictionary is : {'is': [1, 4], 'gfg': [1, 2, 3], 'best': [4, 2]}
|
Python - Keys associated with Values in Dictionary
# Python3 code to demonstrate working of
# Assign values to initialized dictionary keys
# Python3 code to demonstrate working of
# Values Associated Keys
# Using dict comprehension + loop
# initializing dictionary
test_dict = {"gfg": [1, 2, 3], "is": [1, 4], "best": [4, 2]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Values Associated Keys
# Using dict comprehension + loop
result_dict = {}
for key, val in test_dict.items():
for ele in val:
if ele in result_dict:
result_dict[ele].append(key)
else:
result_dict[ele] = [key]
# printing result
print("The values associated dictionary : " + str(result_dict))
#Output : The original dictionary is : {'is': [1, 4], 'gfg': [1, 2, 3], 'best': [4, 2]}
[END]
|
Python - Keys associated with Values in Dictionary
|
https://www.geeksforgeeks.org/python-keys-associated-with-values-in-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Values Associated Keys
# Using setdefault()
# initializing dictionary
test_dict = {"gfg": [1, 2, 3], "is": [1, 4], "best": [4, 2]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Values Associated Keys
# Using setdefault()
result_dict = {}
for key, val in test_dict.items():
for ele in val:
result_dict.setdefault(ele, []).append(key)
# printing result
print("The values associated dictionary : " + str(result_dict))
|
#Output : The original dictionary is : {'is': [1, 4], 'gfg': [1, 2, 3], 'best': [4, 2]}
|
Python - Keys associated with Values in Dictionary
# Python3 code to demonstrate working of
# Values Associated Keys
# Using setdefault()
# initializing dictionary
test_dict = {"gfg": [1, 2, 3], "is": [1, 4], "best": [4, 2]}
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
# Values Associated Keys
# Using setdefault()
result_dict = {}
for key, val in test_dict.items():
for ele in val:
result_dict.setdefault(ele, []).append(key)
# printing result
print("The values associated dictionary : " + str(result_dict))
#Output : The original dictionary is : {'is': [1, 4], 'gfg': [1, 2, 3], 'best': [4, 2]}
[END]
|
Python - Filter dictionary values in heterogeneous dict
|
https://www.geeksforgeeks.org/python-filter-dictionary-values-in-heterogenous-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Filter dictionary values in heterogeneous dictionary
# Using type() + dictionary comprehension
# initializing dictionary
test_dict = {"Gfg": 4, "is": 2, "best": 3, "for": "geeks"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing K
K = 3
# Filter dictionary values in heterogeneous dictionary
# Using type() + dictionary comprehension
res = {key: val for key, val in test_dict.items() if type(val) != int or val > K}
# printing result
print("Values greater than K : " + str(res))
|
#Output : The original dictionary : {'Gfg': 4, 'for': 'geeks', 'is': 2, 'best': 3}
|
Python - Filter dictionary values in heterogeneous dict
# Python3 code to demonstrate working of
# Filter dictionary values in heterogeneous dictionary
# Using type() + dictionary comprehension
# initializing dictionary
test_dict = {"Gfg": 4, "is": 2, "best": 3, "for": "geeks"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing K
K = 3
# Filter dictionary values in heterogeneous dictionary
# Using type() + dictionary comprehension
res = {key: val for key, val in test_dict.items() if type(val) != int or val > K}
# printing result
print("Values greater than K : " + str(res))
#Output : The original dictionary : {'Gfg': 4, 'for': 'geeks', 'is': 2, 'best': 3}
[END]
|
Python - Filter dictionary values in heterogeneous dict
|
https://www.geeksforgeeks.org/python-filter-dictionary-values-in-heterogenous-dictionary/?ref=leftbar-rightbar
|
# Python3 code to demonstrate working of
# Filter dictionary values in heterogeneous dictionary
# Using isinstance() + dictionary comprehension
# initializing dictionary
test_dict = {"Gfg": 4, "is": 2, "best": 3, "for": "geeks"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing K
K = 3
# Filter dictionary values in heterogeneous dictionary
# Using isinstance() + dictionary comprehension
res = {
key: val for key, val in test_dict.items() if not isinstance(val, int) or val > K
}
# printing result
print("Values greater than K : " + str(res))
|
#Output : The original dictionary : {'Gfg': 4, 'for': 'geeks', 'is': 2, 'best': 3}
|
Python - Filter dictionary values in heterogeneous dict
# Python3 code to demonstrate working of
# Filter dictionary values in heterogeneous dictionary
# Using isinstance() + dictionary comprehension
# initializing dictionary
test_dict = {"Gfg": 4, "is": 2, "best": 3, "for": "geeks"}
# printing original dictionary
print("The original dictionary : " + str(test_dict))
# initializing K
K = 3
# Filter dictionary values in heterogeneous dictionary
# Using isinstance() + dictionary comprehension
res = {
key: val for key, val in test_dict.items() if not isinstance(val, int) or val > K
}
# printing result
print("Values greater than K : " + str(res))
#Output : The original dictionary : {'Gfg': 4, 'for': 'geeks', 'is': 2, 'best': 3}
[END]
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.