Python's exception handling system lets you write code that can deal with unexpected errors

The structure

try:
    # Code that might have problems
except ExceptionType as e:
    # What to do if an error occurs
else:
    # Runs if there's no error
finally:
    # Cleanup code - always runs

Explanation of the structure:

The try…except structure in Python aims to prevent programs from crashing by providing a way to handle exceptions. This allows you to continue execution or provide meaningful error messages instead of the program terminating unexpectedly.




import math

def calculate_square_root(num):
	try:
		result = math.sqrt(num)
	except ValueError as ve:
		print(f"Error: {ve}")
	else:
		print(f"The square root of {num} is {result}.")

# Test the function
calculate_square_root(4)    # This will print "The square root of 4 is 2.0"
calculate_square_root(-4)    # This will print "Error: math domain error"




This site uses cookies from Google to deliver its services and analyze traffic. By using this site, you agree to its use of cookies.