- Java catch many exception
- Catching Multiple Exception Types and Rethrowing Exceptions with Improved Type Checking
- Rethrowing Exceptions with More Inclusive Type Checking
- Catch Multiple Exceptions, Rethrow Exceptions in Java
- Catch Multiple Exceptions, Rethrow Exceptions in Java
- Multi catch block
- Rethrowing an Exception
- Exception Propagation in Java
- Post/Questions related to Catch Multiple Exceptions, Rethrow Exceptions in Java
Java catch many exception
Сама работа с исключениями мне понятна, но как это применяется на реальной практике? Типо, мы может поймать ошибку, сделать с ней что-то, чтобы программа могла продолжить свою работу, я так понимаю?
господа! может с какой-то версии обработка стала другой? это код (предпоследний пример из лекции выше) падает при выполнении и в вебе и у меня в idea
В примере ниже возникший ArithmeticException будет перехвачен в первом catch, т.к. классы всех исключений унаследованы от Exception. Т.е. Exception захватывает любое исключение. try < System.out.println("Before method1 calling."); int a = 1/0; System.out.println("After method1 calling. Never will be shown."); >catch (Exception e) < System.out.println("Any other errors. Exception has been caught."); >catch (ArithmeticException e)
с ошибкой ArithmeticException has already been caught но если catch (Exception e) переставить в конец — то всё ок. т.е. компилятор хочет чтобы мы расставляли ошибки по иерархии, общие — в конце.
На моем уровне понимания, в последнем примере программа вообще может упасть, если в названии метода забыли указать, что он бросает ошибки которые отличаются от NPE
не понял только эту строчку: » Если блоки catch закончились, а исключение так и не было перехвачено, то оно выбрасывается дальше, а текущий метод аварийно завершается.»
Неплохая по восприятию лекция,но по-моему все как-то тривиально,не правда ли? Можно эту инфу отдельно не выделять было? Хотя авторам виднее и спасибо им за их труд!
А есть ли разница как перехватывать исключение с помощью catch (Exception e) или catch (тип исключения e)? Ведь и так и так исключение будет перехвачено.
Образное Объяснение (стек вызовов + выброс исключения): Представьте себе, что открывая браузер, вы сами запускаетесь как программа: в стеке вызовов под вас обработчик выделяет новый блок памяти. Начинаете с метода main (например у вас на стартовой странице портал mail.ru) Для обработки каждой вкладки вашему ИИ требуется запускать отдельный метод: 1-метод: читаете анонс статьи, потом переходите по ссылке в другую вкладку; 2 метод: там читаете статью, вас что-то заинтересовывает, и в новой вкладке вы вбиваете новый запрос; 3 метод: смотрите видео по теме — третья вкладка; 4 метод: узнаете о новом интересном блогере и переходите на его канал — четвёртая; 5 метод: видите что у него в дружественных каналах есть интересная тема; 6 метод: переходите и запускаете приветственное видео в следующей вкладке; 7 метод: видите в рекомендациях видео по теме, которая давно вас интересовала. Переходите по ссылке и смотрите; . И так с каждой открытой вкладкой (или точнее с каждым вызванным методом) ваш стек растёт.
В какой-то момент вы понимаете, что из всего этого надо выбираться. Вы не можете сразу попасть в первый метод, вам сначала нужно завершить текущий (то есть досмотреть видео). Вы его досматриваете (или проматываете вылавливая только суть), и дальше закрываете вкладку. Вот тут метод 7 завершается и вы возвращаетесь в —> метод 6 — быстро просматриваете страницу и закрываете шестую вкладку и возвращаетесь в —> метод 5 . и так далее закрывая вкладки вы попадаете во все методы завершая гештальты каждый метод по очереди. Четвертый, третий, второй, первый и наконец вы возвращаетесь в main — это страница с которой всё началось (портал mail.ru). Вы выдыхаете и закрываете браузер. Всё, ваша программа завершилась. Вот примерно так работает стек вызовов. И если например в 6-м методе вы увидели нечто такое, что выбило вас из колеи и метод завершается аварийно, процесс возврата всё равно пройдет по всему стеку в самый низ, до метода main (чтобы собрать полный стек вызовов и вывести StackTrace в консоль). Так вот, чтобы такого не случилось, и программа не вылетала обратно на mail.ru с потерей всех данных, мы и перехватываем исключение прямо в том методе в котором оно возникло. В итоге программа аварийно вылетит только из одного метода и спокойно продолжит работать со следующей строчки кода после той где был вызван этот «плохой» метод.
Catching Multiple Exception Types and Rethrowing Exceptions with Improved Type Checking
In Java SE 7 and later, a single catch block can handle more than one type of exception. This feature can reduce code duplication and lessen the temptation to catch an overly broad exception.
Consider the following example, which contains duplicate code in each of the catch blocks:
catch (IOException ex) < logger.log(ex); throw ex; >catch (SQLException ex)
In releases prior to Java SE 7, it is difficult to create a common method to eliminate the duplicated code because the variable ex has different types.
The following example, which is valid in Java SE 7 and later, eliminates the duplicated code:
catch (IOException|SQLException ex)
The catch clause specifies the types of exceptions that the block can handle, and each exception type is separated with a vertical bar ( | ).
Note: If a catch block handles more than one exception type, then the catch parameter is implicitly final . In this example, the catch parameter ex is final and therefore you cannot assign any values to it within the catch block.
Bytecode generated by compiling a catch block that handles multiple exception types will be smaller (and thus superior) than compiling many catch blocks that handle only one exception type each. A catch block that handles multiple exception types creates no duplication in the bytecode generated by the compiler; the bytecode has no replication of exception handlers.
Rethrowing Exceptions with More Inclusive Type Checking
The Java SE 7 compiler performs more precise analysis of rethrown exceptions than earlier releases of Java SE. This enables you to specify more specific exception types in the throws clause of a method declaration.
Consider the following example:
static class FirstException extends Exception < >static class SecondException extends Exception < >public void rethrowException(String exceptionName) throws Exception < try < if (exceptionName.equals("First")) < throw new FirstException(); >else < throw new SecondException(); >> catch (Exception e) < throw e; >>
This examples’s try block could throw either FirstException or SecondException . Suppose you want to specify these exception types in the throws clause of the rethrowException method declaration. In releases prior to Java SE 7, you cannot do so. Because the exception parameter of the catch clause, e , is type Exception , and the catch block rethrows the exception parameter e , you can only specify the exception type Exception in the throws clause of the rethrowException method declaration.
However, in Java SE 7, you can specify the exception types FirstException and SecondException in the throws clause in the rethrowException method declaration. The Java SE 7 compiler can determine that the exception thrown by the statement throw e must have come from the try block, and the only exceptions thrown by the try block can be FirstException and SecondException . Even though the exception parameter of the catch clause, e , is type Exception , the compiler can determine that it is an instance of either FirstException or SecondException :
public void rethrowException(String exceptionName) throws FirstException, SecondException < try < // . >catch (Exception e) < throw e; >>
This analysis is disabled if the catch parameter is assigned to another value in the catch block. However, if the catch parameter is assigned to another value, you must specify the exception type Exception in the throws clause of the method declaration.
In detail, in Java SE 7 and later, when you declare one or more exception types in a catch clause, and rethrow the exception handled by this catch block, the compiler verifies that the type of the rethrown exception meets the following conditions:
- The try block is able to throw it.
- There are no other preceding catch blocks that can handle it.
- It is a subtype or supertype of one of the catch clause’s exception parameters.
The Java SE 7 compiler allows you to specify the exception types FirstException and SecondException in the throws clause in the rethrowException method declaration because you can rethrow an exception that is a supertype of any of the types declared in the throws .
In releases prior to Java SE 7, you cannot throw an exception that is a supertype of one of the catch clause’s exception parameters. A compiler from a release prior to Java SE 7 generates the error, «unreported exception Exception ; must be caught or declared to be thrown» at the statement throw e . The compiler checks if the type of the exception thrown is assignable to any of the types declared in the throws clause of the rethrowException method declaration. However, the type of the catch parameter e is Exception , which is a supertype, not a subtype, of FirstException and SecondException . catch parameter, and the exception handled by this catch block is not reassigned, then these exception types are implicitly final . You may explicitly declare these exception types as final ; however this is not necessary:
catch (final IOException|SQLException ex)
Exception types that are not final (in particular, catch blocks in which the handled exception is reassigned) affect the features discussed on this page as follows:
- The compiler generates an error for catch blocks that handles more than one exception type.
- The compiler will not perform the more inclusive type checking for rethrown exceptions.
Catch Multiple Exceptions, Rethrow Exceptions in Java
Catch Multiple Exceptions, Rethrow Exceptions in Java
The exception is an unwanted unexpected event that disturbs the normal flow of the program is called an exception.
What is the meaning of exception handling?
Exception handling doesn’t mean repairing an exception. We have to define an alternative way to continue the rest of the program normally this way of defining alternative is nothing but exception handling».
In this tutorial, we will see how to catch the multiple exceptions in Java.
Multi catch block
If the Multiple Exceptions having the same handling code, still we have to write a separate catch block for every exception, it increases the length of the code and reviews readability.
try < //code causes exception >catch(ArithmeticException e) < e.printStackTrace(); >catch(NullPointerException e) < e.printStackTrace(); >catch(ClassCastException e) < System.out.println(e.getMessage()); >catch(IOException e) < System.out.println(e.getMessage()); >catch(Exception e)
To avoid multiple duplicate codes, the Multi catch block concept is introduced in Java 1.7.
The benefit of multiple catch blocks is that we can write a single catch block, which can handle multiple different exceptions.
try < //code causes exception >catch(ArithmeticException | NullPointerException e) < e.printStackTrace(); >catch(ClassCastException | IOException e)
In a multi-catch block. We have to follow the rule. There should not be any relation between Exception types(either child to parent Or parent to child Or the same type, otherwise we will get Compile time error.
try < //code causes exception >catch(ArithmeticException | Exception e) < // compile time error e.printStackTrace(); >
Rethrowing an Exception
For converting the exception of one type to another type we have throw keyword. Using the throw keyword, we can use a rethrow exception.
package com.javacodestuffs.core.exception; public class RethrowException < public static void main(String[] args) < try < System.out.println(10 / 0); >catch(ArithmeticException e) < throw new NullPointerException(); >> > output: Exception in thread "main" java.lang.NullPointerException at com.javacodestuffs.core.exception.RethrowException.main(RethrowException.java:9)
Exception Propagation in Java
If inside a method if an exception raised and if that method doesn’t handle that exception, then the Exception object will be propagated to the caller. then the caller method is responsible to handle that exceptions. This process is called Exception Propagation.
package com.javacodestuffs.core.exception; public class ExceptionPropagationExample < void display3()< int result = 100 / 0; >void display2() < display3(); >void display1() < try< display2(); >catch(Exception e) < System.out.println("Exception caught in display2. "); >> public static void main(String args[]) < ExceptionPropagationExample exp = new ExceptionPropagationExample(); exp.display1(); System.out.println("After exception handling. "); >> output: Exception caught in display2. After exception handling.
The exception has occurred in the display3() method and in display3() method we don’t have any exception handler code.
The uncaught exception will be propagated downward in stack i.e it will check appropriate exception handler in the display2() method.
Again in the display2 method, we don’t have any exception handler then again exception is propagated downward to display1() method where it finds exception handler.
Thus we can see that uncaught exception is propagated in the stack until stack becomes empty.
Post/Questions related to Catch Multiple Exceptions, Rethrow Exceptions in Java
How to return string array in java?
How to handle exception in java 8?
Java exceptions can be handled by 5 keywords
How to print the exception in java?
When does exception occur in Java?
What are the ways to handle exceptions in Java?
To know more about Exception Handling in Java, follow the tutorial
In this article, we have seen how to Catch Multiple Exceptions, Rethrow Exceptions in Java.