Sample of Python Quizzes and Questions for Job Interview
I'm doing some revision on python programming. May this helps you as well. Please try to understand the logic ya after seeing the code answer.![]() |
Image by Shahid Abdullah from Pixabay |
Data Structure Quiz
- Implement a group_by_owners function that:
- Accepts a dictionary containing the file owner name for each file name.
- Returns a dictionary containing a list of file names for each owner name, in any order.
My code answerThis file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode charactersfrom collections import defaultdict def group_by_owners(files): # Grouping dictionary keys by value res = defaultdict(list) for key, val in files.items(): res[val].append(key) return res if __name__ == "__main__": files = { 'Input.txt': 'Randy', 'Code.py': 'Stan', 'Output.txt': 'Randy' } print(group_by_owners(files))
Result: defaultdict(, {'Randy': ['Input.txt', 'Output.txt'], 'Stan': ['Code.py']})
Some additional info:
A defaultdict works exactly like a normal dict, but it is initialized with a function (“default factory”) that takes no arguments and provides the default value for a nonexistent key.
A defaultdict will never raise a KeyError. Any key that does not exist gets the value returned by the default factory. -
Implement the IceCreamMachine's scoops method so that it returns all combinations of one ingredient and one topping. If there are no ingredients or toppings, the method should return an empty list.
For example, IceCreamMachine(["vanilla", "chocolate"], ["chocolate sauce"]).scoops() should return [['vanilla', 'chocolate sauce'], ['chocolate', 'chocolate sauce']].
My code answer
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode charactersclass IceCreamMachine: def __init__(self, ingredients, toppings): self.ingredients = ingredients self.toppings = toppings def scoops(self): final_scoops = [] for ingredient in self.ingredients: for topping in self.toppings: final_scoops.append([ingredient,topping]) if(final_scoops): return final_scoops else: return [] machine = IceCreamMachine(["vanilla", "chocolate"], ["chocolate sauce"]) print(machine.scoops()) #should print[['vanilla', 'chocolate sauce'], ['chocolate', 'chocolate sauce']]
Comments
Post a Comment