Write a Python program that repeatedly asks the user for a denominator as long as the denominator is 0
. When a valid denominator (non-zero) is provided, check if the numerator divides evenly by the denominator. If it does, print “Divides evenly!”, otherwise print “Doesn’t divide evenly.”
Write a Python program that repeatedly asks the user for a denominator as long as the denominator is 0
Share
numerator = int(input(“Enter a numerator: “))
denominator = int(input(“Enter denominator: “))
while denominator == 0:
print(“Denominator cannot be 0. Please enter a non-zero denominator.”)
denominator = int(input(“Enter denominator: “))
if numerator % denominator == 0:
print(“Divides evenly!”)
else:
print(“Doesn’t divide evenly.”)
Here’s a Python program that fulfills your requirements:
# Define the numerator
numerator = 10 # You can change this value for testing
# Loop until a valid denominator is provided
while True:
denominator = float(input(“Please enter a denominator (non-zero): “))
# Check if the denominator is zero
if denominator == 0:
print(“Denominator cannot be zero. Please try again.”)
else:
# Check if the numerator divides evenly by the denominator
if numerator % denominator == 0:
print(“Divides evenly!”)
else:
print(“Doesn’t divide evenly.”)
break # Exit the loop since we have a valid denominator
Explanation
1. Loop for Input: The `while True:` loop ensures that the code keeps asking the user for a denominator until a valid (non-zero) one is provided. 2. Check for Zero: The program checks if the entered denominator is zero. If it is, the user is prompted to try again. 3. Even Division Check: Once a valid denominator is received, the program checks if the numerator divides evenly by using the modulus operator (`%`).
4. Output the Result: Based on the check, it prints whether the division is even or not.
Feel free to test and modify the program! If you have further questions or need more detailed assistance, check the extended services page.