Enable Javascript in your browser and then refresh this page, for a much enhanced experience.
Dataclass + defaultdict solution in Clear category for 3 Chefs by r_tchaik
from dataclasses import dataclass, field
from collections import defaultdict
@dataclass
class AbstractCook:
cuisine = tuple()
order: dict = field(default_factory=lambda: defaultdict(int))
def add_food(self, food_amount, food_price, dish=0):
self.order[self.cuisine[dish]] += food_amount * food_price
def add_drink(self, drink_amount, drink_price):
self.add_food(drink_amount, drink_price, 1)
def total(self):
return ''.join(f'{item}: {self.order[item]}, ' for item in self.cuisine) \
+ f'Total: {sum(self.order.values())}'
class JapaneseCook(AbstractCook):
cuisine = ('Sushi', 'Tea')
class RussianCook(AbstractCook):
cuisine = ('Dumplings', 'Compote')
class ItalianCook(AbstractCook):
cuisine = ('Pizza', 'Juice')
if __name__ == '__main__':
#These "asserts" using only for self-checking and not necessary for auto-testing
client_1 = JapaneseCook()
client_1.add_food(2, 30)
client_1.add_food(3, 15)
client_1.add_drink(2, 10)
client_2 = RussianCook()
client_2.add_food(1, 40)
client_2.add_food(2, 25)
client_2.add_drink(5, 20)
client_3 = ItalianCook()
client_3.add_food(2, 20)
client_3.add_food(2, 30)
client_3.add_drink(2, 10)
assert client_1.total() == "Sushi: 105, Tea: 20, Total: 125"
assert client_2.total() == "Dumplings: 90, Compote: 100, Total: 190"
assert client_3.total() == "Pizza: 100, Juice: 20, Total: 120"
print("Coding complete? Let's try tests!")
July 24, 2020
Comments: