похоже, ваша основная функция должна включать только один вызов функции
def main():
display_total_cost()
, потому что display_total_cost()
внутренне вызывает все остальные ваши функции по мере необходимости.
тогда вы можете передать cost
в качестве параметра функции для других функций, которым она требуется, и удалите вызовы get_cost
из всех других функций. Вот обновленная версия вашего скрипта:
def get_cost():
cost = float(input('Please Enter the Cost of the Meal: '))
while cost <= 0:
print('The Cost Must Be Greater Than 0!')
cost = float(input('Please Enter the Cost of the Meal: '))
else:
return cost
def compute_tip(cost):
finalTip = cost * 0.18
return finalTip
def compute_tax(cost):
finalTax = cost * 0.0825
return finalTax
def display_total_cost():
cost = get_cost()
finalTip = compute_tip(cost)
finalTax = compute_tax(cost)
grandTotal = cost + finalTip + finalTax
print('Cost\t$', format(cost, '.2f'))
print('Tip\t$', format(finalTip, '.2f'))
print('Tax\t$', format(finalTax, '.2f'))
print('Total\t$', format(grandTotal, '.2f'))
def main():
display_total_cost()
# common practice is to include this line
if __name__ == "__main__":
main()