Home > Net >  Calculate total litres required to fill carpark using python3
Calculate total litres required to fill carpark using python3

Time:03-25

I have to work out how many liters of concrete can fit into a park. Len park: 30.2m | wid of the park: 10m | liters per sq/m: 6.6. I have attempted this and am new to python and know how to calculate the total. (30.2 * 10 * 6.6 = total). But I'm struggling to print the result.

length = 30.2

width = 10

squared = 6.6

length = int(input('Length of park (m):'))

width = int(input('Width of park (m):'))

squared = int(input('Litres per square metre:'))

sum = length * width * squared # calculate total metres to get answer

print("Litres Required =",sum)

# print total amount of liters required 

CodePudding user response:

"30.2" is a float since it has a decimal point, not an int.

sum is a builtin function in python, so avoid using it as a variable name.

Try it online! (note, since this is a website, the output is different than you running it normally)

length = float(input('Length of park (m):'))

width = float(input('Width of park (m):'))

squared = float(input('Litres per square metre:'))

total = length * width * squared # calculate total metres to get answer

print("Litres Required =",total)

# print total amount of liters required 
  • Related