You associate exception handlers with atryblock by providing one or morecatchblocks directly after thetryblock. No code can be between the end of thetryblock and the beginning of the firstcatchblock.Eachtry { } catch (ExceptionType name) { } catch (ExceptionType name) { }catchblock is an exception handler and handles the type of exception indicated by its argument. The argument type,ExceptionType, declares the type of exception that the handler can handle and must be the name of a class that inherits from theThrowableclass. The handler can refer to the exception withname.The
catchblock contains code that is executed if and when the exception handler is invoked. The runtime system invokes the exception handler when the handler is the first one in the call stack whoseExceptionTypematches the type of the exception thrown. The system considers it a match if the thrown object can legally be assigned to the exception handler's argument.The following are two exception handlers for the
writeListmethod one for two types of checked exceptions that can be thrown within thetrystatement.Both handlers print an error message. The second handler does nothing else. By catching anytry { } catch (FileNotFoundException e) { System.err.println("FileNotFoundException: " + e.getMessage()); throw new SampleException(e); } catch (IOException e) { System.err.println("Caught IOException: " + e.getMessage()); }IOExceptionthat's not caught by the first handler, it allows the program to continue executing.The first handler, in addition to printing a message, throws a user-defined exception. (Throwing exceptions is covered in detail later in this chapter in the How to Throw Exceptions section.) In this example, when the
FileNotFoundExceptionis caught it causes a user-defined exception calledSampleExceptionto be thrown. You might want to do this if you want your program to handle an exception in this situation in a specific way.Exception handlers can do more than just print error messages or halt the program. They can do error recovery, prompt the user to make a decision, or propagate the error up to a higher-level handler using chained exceptions, as described in the Chained Exceptions section.