
You’ve seen plenty of errors by now: ValueError, TypeError, ZeroDivisionError. In Python, Try Except can be used to handle these errors gracefully. Normally, when these happen, your program crashes immediately.
But what if you don’t want it to crash? What if you want it to say, “Oops, that didn’t work, let’s try something else”? By using Python Try Except, you gain control over potential errors.
That’s what try and except blocks are for. When mastering Python Try Except, understanding the control flow becomes crucial.
The Basic Structure
You wrap the “dangerous” code (code that might fail) in a try block. You put the backup plan in the except block.
try:
# Dangerous code
number = int(input("Enter a number: "))
print(f"You entered: {number}")
except ValueError:
# Backup plan if they typed text instead of a number
print("That was NOT a number! Setting default to 0.")
number = 0If you run this and type “hello”, it won’t crash with a scary red error message. It will just print your nice backup message.
Catching Specific Errors
You should always specify which error you want to catch. Python Try Except allows you to tailor reactions to specific error types.
try:
num1 = 10
num2 = int(input("Divide 10 by what? "))
result = num1 / num2
print(f"Result is: {result}")
except ValueError:
print("Please enter a valid NUMBER.")
except ZeroDivisionError:
print("You can't divide by zero! Nice try.")
except Exception as e:
# This catches ANY other unexpected error
print(f"Something else went wrong: {e}")The else and finally Blocks
else: Runs only if NO error happened in thetryblock.finally: Runs NO MATTER WHAT (even if it crashes). Great for cleanup tasks like closing files.
try:
f = open("data.txt", "r")
except FileNotFoundError:
print("Could not find file.")
else:
print("File opened successfully!")
content = f.read()
f.close()
finally:
print("Execution complete.")Summary
Use try/except when dealing with things outside your control: user input, file reading, or web requests. It’s the difference between a fragile script and a professional application. Incorporating Python Try Except is essential to crafting resilient software.





