Question 1
Write a Python application as per the instructions given below:
i) Create a python module named validate.py
to receive three integers and reject them if they are equal.
ii) Create a python module named maxmin.py
to include two functions namely small
and large
to receive three integers and return the smaller and the larger respectively.
iii) Write a driver code called driver.py
that can receive three integers from the user and deploy validate.py
and maxmin.py
modules to display the smaller and the larger numbers respectively.
Answer,
i) This module checks if all three integers are equal. If they are, it will raise a ValueError
.
# validate.py def validate(a, b, c): if a == b == c: raise ValueError("All three numbers are equal. Input rejected.") return True
ii) This module includes two functions:
large()
returns the largest of the three numbers.
small()
returns the smallest of the three numbers.
# maxmin.py def small(a, b, c): return min(a, b, c) def large(a, b, c): return max(a, b, c)
iii) This is the main script that takes user input, validates the numbers using validate.py
, and then finds the smallest and largest using maxmin.py
.
# driver.py from validate import validate from maxmin import small, large def main(): try: # Get input from user a = int(input("Enter first number: ")) b = int(input("Enter second number: ")) c = int(input("Enter third number: ")) # Validate numbers validate(a, b, c) # Find and display results print("Smallest number is:", small(a, b, c)) print("Largest number is:", large(a, b, c)) except ValueError as ve: print("Validation Error:", ve) except Exception as e: print("An error occurred:", e) if __name__ == "__main__": main()