Python print any exception message

Python: Printing Exception (Error Message)

Embedded Inventor

In this article, let us learn about printing error messages from Exceptions with the help of 5 specifically chosen examples.

I have divided this article into 2 major sections

  1. Printing custom error messages and
  2. Printing a specific part of the default error message. By “default error message“, I mean the error message that you typically get in the command line if you did not catch a given exception)

Depending on which of the 2 options above you are looking for, you can jump to the respective section of the article using the table of content below.

Printing Custom Error messages

There are 3 ways to print custom error messages in Python. Let us start with the simplest of the 3, which is using a print() statement.

Option#1: Using a simple print() statement

The first and easiest option is to print error messages using a simple print() statement as shown in the example below.

try: #Some Problematic code that can produce Exceptions x = 5/0 except Exception as e: print('A problem has occurred from the Problematic code: ', e)

Running this code will give the output below.

A problem has occurred from the Problematic code: division by zero

Here the line “x = 5/0″ in Example 1 above raised a “ZeroDivisionError” which was caught by our except clause and the print() statement printed the default error message which is “division by zero” to the standard output.

One thing to note here is the line “except Exception as e“. This line of code’s function is to catch all possible exceptions, whichever occurs first as an “Exception” object. This object is stored in the variable “e” (line 4), which returns the string ‘division by zero‘ when used with the print() statement (line 5).

To summarize if you wish to print out the default error message along with a custom message use Option#1.

This is the simplest way to print error messages in python. But this option of putting your custom messages into print statements might not work in cases where you might be handling a list of exceptions using a single except clause. If you are not exactly sure how to catch a list of exceptions using a single except clause, I suggest reading my other article in the link below.

There I have explained the 3 ways through which you can catch a list of exceptions along with tips on when is the right situation to catch each of these exceptions.

Now that we have learned how to print the default string which comes with an exception object, let us next learn how to customize the message that e carried (the string ‘division by zero‘) and replace that with our own custom error message.

Читайте также:  Sending email using javascript

Option#2: Using Custom Exception classes to get customized error messages

In Python, you can define your own custom exception classes by inheriting from another Exception class as shown in the code below.

class MyOwnException(Exception): def __str__(self): return 'My Own Exception has occurred' def __repr__(self): return str(type(self)) try: raise MyOwnException except MyOwnException as e: print(e) print(repr(e))

How to choose the exception class to inherit from?

In the above example, I have inherited from the Exception class in python, but the recommended practice is to choose a class that closely resembles your use-case.

For example, say you are trying to work with a string type object and you are given a list type object instead, here you should inherit your custom exception from TypeError since this Exception type closely resembles your use case which is “the variable is not of expected type”.

If you are looking for getting an appropriate Exception class to inherit from, I recommend having a look at all the built-in exceptions from the official python page here. For the sake of keeping this example simple, I have chosen the higher-level exception type named “Exception” class to inherit from.

In the code below, we are collecting values from the user and to tell the user that there is an error in the value entered we are using the ValueError class.

class EnteredGarbageError(ValueError): def __str__(self): return 'You did not select an option provided!' try: options = ['A', 'B', 'C'] x = input('Type A or B or C: ') if x not in options: raise EnteredGarbageError else: print ('You have chosen: ', x) except EnteredGarbageError as err: print(err)

Now that we understand how to choose a class to inherit from, let us next have a look at how to customize the default error messages that these classes return.

How to customize the error message in our custom exception class?

To help us achieve our purpose here which is to print some custom error messages, all objects in python come with 2 methods named __str__ and __repr__. This is pronounced “dunder-str” and “dunder-repr” where “dunder” is short for “double underscore”.

Dunder-str method:

The method __str__ returns a string and this is what the built-in print() function calls whenever we pass it an object to print.

In the line above, python will call the __str__ method of the object and prints out the string returned by that method.

Let us have a look at what python’s official documentation over at python.org has to say about the str method.

In simpler words, the str method returns a human-readable string for logging purposes, and when this information is passed to the built-in function print(), the string it returns gets printed.

So since our implementation of str returns the string “My Own Exception has occurred” this string got printed on the first line of the exception message.

Dunder-repr method:

__repr__ is another method available in all objects in python.

Where it differs from the dunder-str method is the fact that while the __str__ is used for getting a “friendly message”, the __repr__ method is used for getting, a more of a, “formal message”. You can think of str as a text you got from your friends and repr as a notice you got from a legal representative!

Читайте также:  Java for все элементы

The below screenshot from python’s official documentation explains the use of __repr__ method.

Again, in simpler words, repr is typically used to print some “formal” or “official” information about an object in Python

In our Example 2 above, the repr method returned the class name using the built-in type() function.

Next, let us see another variation where we can print different error messages using a single Exception class without making a custom class.

Option#3: Custom Error messages from the raise statement

try: raise Exception('I wish to print this message') except Exception as error: print(error)

Lucky for us, python has made this process incredibly simple! Just pass in the message as an argument to the type of exception you wish to raise and this will print that custom message instead!

In the above code, we are throwing an exception of type “Exception” by calling its constructor and giving the custom message as an argument, which then overrides the default __str__ method to return the string passed in.

If you wish to learn more about raise statement, I suggest reading my other article in the link below
Python: Manually throw/raise an Exception using the “raise” statement

where I have explained 3 ways you can use the raise statement in python and when to use each.

But when to use option 2 and when to use option 3?

On the surface, Option#3 of passing in the custom message may look like it made option#2 of using custom classes useless. But the main reason to use Option#2 is the fact that Option#2 can be used to override more than just the __str__ method.

Let’s next move on to section 2 of this article and look at how to choose a specific part of the default error message (the error printed on the console when you don’t catch an exception) and use that to make our own error messages

Choosing Parts of Default Error Messages to print

To understand what I mean by “Default Error Message” let us see an example

raise ValueError("This is an ValueError")

This line when run, will print the following error message

Traceback (most recent call last): File "", line 1, in raise ValueError("This is an ValueError") ValueError: This is an ValueError

This error message contains 3 Parts

  • Exception Type (ValueError)
  • Error message (This is an ValueError)
  • and the stack trace (the 1st few lines showing us where exactly in the program the exception has occurred)

For visual learners out there we have also made an interesting video on that topic!

  • to extract and use each of the individual pieces of information listed above and
  • when to use what piece of information

is already covered with the help of several examples in my previous article in the link below

And with that I will end this article!

If you are looking for another interesting read, try the article in the link below.

The above article covers all the basics of Exception handling in Python like

  • when and how to ignore exceptions
  • when and how to retry the problematic code that produced the exception and
  • when and how to log the errors

I hope you enjoyed reading this article and got some value from it.

Feel free to share it with your friends and colleagues!

Posted on Last updated: July 1, 2023

Читайте также:  Php изучение на практике

Источник

Python Print Exception Message

As a Python developer, you must have encountered “errors” or “exceptions” in your Python code. These errors can be “syntax errors”, “logical errors”, or “runtime errors”. When an error takes place in Python, the interpreter raises/throws an “exception”, which can be caught/captured and handled through exception-handling techniques. “Printing exception” messages in Python is a straightforward process. When an exception is raised, the interpreter prints an error message along with the type of exception.

These articles provide the following methods to print/display exception messages in Python:

Method 1: Print Exception Messages in Python Using the “print()” Function

The “print()” function is used to print/display the exception message. This method uses the “try-except” block to catch the exception, and the “print()” function to display the error message.

Example

The below code is used to print the exception message:

print ( «An error occurred:» , err )

In the above code, catch any exception that occurs in the “try” block and print the error message along with the type of exception using the “print()” function.

Based on the above output, the exception message has been displayed successfully.

Method 2: Print Exception Messages in Python Using the “logging” Module

In Python, the “logging” module can also be used to print exception messages. This module provides a way to log messages and errors to a file or on the console.

Example

To print the exception message, use the following code:

logging . error ( «An error occurred: %s» , e )

In the above code snippet, the “logging” module is imported at the start and is used to catch any exception that occurs in the “try” block. The “logging.error()” method is used in the “except” block to log the error message along with the type of exception.

Exception message successfully displayed in the above snippet.

Method 3: Print Exception Messages in Python Using the “traceback” Module

The “traceback” module offers a way to print detailed information about an exception, including the traceback and the line number where the exception happened.

Example

The below-given code is used to print the exception message on the console:

According to the above code, the “traceback” module is imported. After that, the “traceback.print_exc()” function is utilized in the “except” block to catch/capture and print any exception message that occurs in the “try” block.

In this output, the exception message is logged appropriately.

Conclusion

The “print()” function, the “logging” module, or the “traceback” module can be used along with the “try-except” block to print exception messages in Python. These methods provide an efficient way to print the exception and fix the error based on the exception message. This Python article covered a detailed guide on how to print an exception message using various ways.

About the author

Talha Saif Malik

Talha is a contributor at Linux Hint with a vision to bring value and do useful things for the world. He loves to read, write and speak about Linux, Data, Computers and Technology.

Источник

Оцените статью