Final answer:
To make a custom crepe in Python, you can use modular programming and concepts covered in the course to ask the user for desired fillings, accumulate the price of each filling, ask for the quantity of crepes, and calculate the total price. The program should have a main function that calls other functions for filling selection and quantity input. This ensures the program follows proper modular programming.
Step-by-step explanation:
How to Make a Custom Crepe in Python
To make a custom crepe using concepts covered in this course, you can follow these steps:
- Create a variable to store the base price of the crepe, which is $2.
- Define a function that asks the user for their desired fillings and accumulates the price of each filling until the user enters 'Q' to quit. Use a loop to repeatedly ask for fillings and update the price.
- Define another function that asks the user for the quantity of crepes they wish to purchase. Multiply the base price by the quantity to calculate the total price.
- Call the filling function and the quantity function in the main function.
- Return the total price from the quantity function.
Here's an example of the program:
# Function to ask for fillings
def ask_fillings():
total_price = 2 # Base price
fillings = ['Nutella', 'Strawberries', 'Whipped Cream']
while True:
print('Choose a filling or enter Q to quit:')
for i, filling in enumerate(fillings, 1):
print(f'{i}. {filling}')
choice = input()
if choice == 'Q':
break
elif choice.isdigit() and 1 <= int(choice) <= len(fillings):
choice_index = int(choice) - 1
total_price += 1 # Add price for selected filling
print(f'Added {fillings[choice_index]} to the crepe.')
else:
print('Invalid choice. Please try again.')
return total_price
# Function to ask for crepe quantity
def ask_quantity():
quantity = input('Enter the quantity of crepes you wish to purchase: ')
total_price = 2 * int(quantity) # Base price multiplied by quantity
return total_price
# Main function
def main():
fillings_price = ask_fillings()
quantity_price = ask_quantity()
total_price = fillings_price + quantity_price
print(f'Total price of fillings: ${fillings_price}')
print(f'Total price of crepes: ${quantity_price}')
print(f'Total price of the order: ${total_price}')
# Call the main function
main()