210k views
0 votes
Create a Python Shopping Cart Program that utilizes the starter code below. These are the requirements:

Must contain a MAIN FUNCTION with input statement(s)
Must calculate the GROSS COST
Must calculate the NET COST
Must include a tax rate of .0875
Must have a SEPARATE function for calculating:
GROSS COST (which must also RETURN the final value)
NET COST (which must also RETURN the final value)"

User Jonseymour
by
7.6k points

1 Answer

5 votes

Final answer:

A Python Shopping Cart Program can be created with functions to calculate gross and net costs by summing item prices for the gross cost and adding tax to determine net cost, utilizing a tax rate of 8.75%. The separate functions `calculate_gross_cost` and `calculate_net_cost` provided return their respective costs.

Step-by-step explanation:

To create a Python Shopping Cart Program that includes functions for calculating both gross and net cost, you'll write a program with at least two key functions: one for the gross cost and another for the net cost. The net cost includes a sales tax of 8.75% (0.0875 in decimal form). Here's an example of how you might structure your program:



def calculate_gross_cost(items):
return sum(items)

def calculate_net_cost(gross_cost, tax_rate=0.0875):
tax_amount = gross_cost * tax_rate
return gross_cost + tax_amount

def main():
items = []
while True:
try:
item_price = float(input("Enter the price of an item or '0' to finish: "))
if item_price == 0:
break
items.append(item_price)
except ValueError:
print("Please enter a valid number.")
gross_cost = calculate_gross_cost(items)
net_cost = calculate_net_cost(gross_cost)
print(f"Gross Cost: ${{gross_cost:.2f}}")
print(f"Net Cost (with tax): ${{net_cost:.2f}}")

if __name__ == '__main__':
main()

To calculate the gross cost, you sum up the price of all items. To find the net cost, you multiply the gross cost by the tax rate to get the tax amount, and then add this to the gross cost.

Remember, you can adjust the items list to include your product prices and modify the main function to fit your shopping cart's workflow. The FUNCTIONs calculate_gross_cost and calculate_net_cost are essential in providing the required functionality.

User PAG
by
7.8k points