Sometimes, programs run into errors (called exceptions) that stop them from working. Instead of letting the program crash, we can use try-except
For example, dividing a number by zero will cause an error:
print(10 / 0) # This will crash with a "ZeroDivisionError"
With try-except
Basic try-except
syntax
A try-except
: The code that might cause an error.try
: What to do if an error happens.except
Example:
try:
print(10 / 0) # This might cause an error
except:
print("Oops! Something went wrong.") # This runs if an error happens
Output:
Oops! Something went wrong.
Even though there’s an error, the program does not crash because except
Handling multiple Exceptions
Different errors need different solutions. We can catch specific errors using multiple except
Example:
try:
num = int(input("Enter a number: ")) # Might cause a ValueError
result = 10 / num # Might cause a ZeroDivisionError
print("Result:", result)
except ValueError:
print("Please enter a valid number!")
except ZeroDivisionError:
print("You can't divide by zero!")
Example outputs:
Enter a number: abc
Please enter a valid number!
Enter a number: 0
You can't divide by zero!
Each except
Using except Exception as e
for debugging
Sometimes, we don’t know what error might happen. We can use except
to catch any error and see its message.
Example:
try:
print(10 / 0)
except Exception as e:
print("Error:", e) # Shows the actual error message
Output:
Error: division by zero
This is useful for debugging because it tells us exactly what went wrong.
Summary:
helps prevent crashes by handling errors.try-except - We can catch specific errors using multiple
blocks.except
helps with debugging.except Exception as e