In the article Java exception API hierarchy - Error, Exception and RuntimeException, you understand that Throwable is the supertype of all errors and exceptions in Java. Now we are going to understand what are checked exceptions and unchecked exceptions, and the differences between them.
Let’s review the exception API hierarchy:
The exceptions that are subtypes of Exception (exclude subtypes of RuntimeException) are categorized as checked exceptions. When we use code that can throw checked exceptions, we must handle them, otherwise the compiler will complain.
For example, the following method can throw a checked exception of type IOException:
public void createFile(String path, String text) throws IOException { FileWriter writer = new FileWriter(path, true); writer.write(text); writer.close(); }
Then the caller code must handle this exception:
String filePath = "hello.txt"; String text = "Hello World"; try { createFile(filePath, text); } catch (IOException ex) { System.err.println("Error creating file: " + ex); }
See common checked exceptions in the section 3 below.
In contrast, we don’t have to catch unchecked exceptions which are subtypes of Error and RuntimeException. Methods also don’t have to declare to throw unchecked exceptions. It’s because programs typically cannot be recovered from unchecked exceptions.
Note that unchecked exceptions are subtypes of RuntimeException, although it is a subtype of Exception.
For example, the following method does not have to declare to throw IllegalArgumentException which is an unchecked exception:
public static void setAge(int age) { if (age < 1 || age > 99) { throw new IllegalArgumentException("Invalid age"); } int newAge = age; }
Let’s see another example:
List<String> list = new ArrayList<>(); String item = list.get(3);
The get() method of the ArrayList class can throw IndexOutOfBoundsException but the code doesn’t have to catch because it is an unchecked exception.
See common unchecked exceptions in the section 4 below.
Common checked exceptions defined in the java.lang package:
Common checked exceptions defined in the java.io package:
Common checked exceptions defined in the java.net package (almost are subtypes of IOException):
Common checked exceptions defined in the java.sql package:
Common unchecked exceptions in the java.lang package:
Common unchecked exceptions in the java.util package:
Other Java Exception Handling Tutorials: