5. Exception Handling best practices

Quiz: 0/5

The goal of this lesson is to help you write clean, efficient, and easy-to-maintain code when handling errors (exceptions). Instead of writing messy exception handling that hides problems, you'll learn best practices that make your code more readable and debuggable.

Avoiding bare except statements

Instead of catching all exceptions, specify the exact ones you expect.

Bad practice:

def divide(a, b):
    try:
        return a / b
    except:
        print("Something went wrong!")  # Too vague!

print(divide(10, 0))  # What went wrong? We don't know!

Better: Catch specific exceptions

def divide(a, b):
    try:
        return a / b
    except ZeroDivisionError:
        print("You can't divide by zero!")
    except TypeError:
        print("Both numbers must be of the correct type!")

print(divide(10, 2))  # Works fine
print(divide(10, 0))  # Handles division by zero properly
print(divide(10, "a"))  # Handles type error properly

Logging Exceptions

Logging helps us track errors without just printing them.

Bad practice:

def square(n):
    return n * n

print(square("hello"))  # TypeError, but no useful message

Better: Use logging

import logging

logging.basicConfig(level=logging.ERROR)  # Logs to console

def square(n):
    try:
        return n * n
    except TypeError as e:
        logging.error(f"Invalid operation: {e}")
        print("Error: Input must be a number!")

print(square(5))      # Works fine
print(square("hi"))   # Logs error and prints a message

Now, the error is logged and handled properly.

Using assert for debugging

Assertions help catch logic mistakes early.

Bad practice:

def calculate_speed(distance, time):
    return distance / time  # What if time is 0? Crash!

Better: Use assert to check conditions

def calculate_speed(distance, time):
    assert time > 0, "Time must be greater than zero!"
    return distance / time

print(calculate_speed(100, 5))  # Works fine
print(calculate_speed(100, 0))  # Triggers assertion error
  • If time == 0, the program immediately stops and shows "Time must be greater than zero!".
  • This is great for debugging because it prevents hidden bugs in the program.

Final thoughts

  • Use specific exceptions (except ZeroDivisionError, not except:).
  • Log errors properly (even if just in the console).
  • Use assert for debugging, but remove it in production.

Hands-On Practise

Exercise: Safe math operations

Write a function calculate_square_root(x) that takes a number x and returns its square root. The function should:

  • Use assertions to ensure x is non-negative.
  • Handle TypeError if the input is not a number.
  • Handle ValueError if x is negative (alternative to assertion).
  • Print meaningful error messages instead of using logging.
Output:

Quizzes: 0/5

Question 1:

Why should you avoid using a bare except statement?

  • It makes the code easier to read.
  • It catches all exceptions, including unexpected ones, making debugging harder.
  • It speeds up program execution.
  • It is required in all Python programs.

Question 2:

Which module is commonly used for logging exceptions in Python?

  • sys
  • log
  • logging
  • debug

Question 3:

What happens if an assertion fails in Python?

  • The program continues execution normally.
  • An AssertionError is raised.
  • The assertion is ignored.
  • Python automatically corrects the issue.

Question 4:

What is the purpose of the else block in a try-except-else statement?

  • It executes if an exception occurs.
  • It executes only if no exception occurs in the try block.
  • It always executes, regardless of exceptions.
  • It is used for cleanup operations.

Question 5:

Which of the following is the correct way to log an error message?

  • log.error('An error occurred')
  • logging.log('An error occurred')
  • logging.error('An error occurred')
  • error.log('An error occurred')

Feedback

Share your thoughts about this lesson

Loading...
Previous lessonUsing else and finally in Exception Handling