Reputation: 21
This is my project description:
Write a program that displays the following menu:
1) Convert Fahrenheit to Celsius
2) Convert Celsius to FahrenheitEnter 1, 2, or 0 to exit:
In the case of options 1 and 2, the program should then prompt the user for the temperature, perform the conversion, and output the result. Then the program should re-display the menu. When option 0 is chosen, the program should exit.
Here is what I have so far:
a = raw_input("1) Convert Fahrenheit to Celsius \n2) Convert Celsius to Fahrenheit \nEnter 1, 2, or 0 to exit: ")
x = raw_input("Enter degree: ")
y = float((x - 32) / 1.8)
x = raw_input("Enter degree: ")
z = float((x + 32) * 1.8)
if a == 1:
print(y)
if a == 2:
print(z)
How can I terminate this program? Where else am I messing up?
Upvotes: 1
Views: 361
Reputation: 1009
You need to:
convert a and x to int.
a = int(raw_input("1) Convert Fahrenheit to Celsius \n2) Convert Celsius to Fahrenheit \nEnter 1, 2, or 0 to exit: "))
x = int(raw_input("Enter degree: "))
Do the calculations inside if blocks.
Also, get rid of the second x = raw_input("Enter degree: ")
sys.exit(0)
Upvotes: 0
Reputation: 42825
x = raw_input(...
line. You don't need it.y
right before you print
it, inside the if
block. No point doing math the user didn't want.z
: calculate it right before you need it.a = raw_input(...
line:Code:
if a == 0:
import sys
sys.exit(0)
Upvotes: 1