catch
parameter. For example, let's say that your try block could throw a ParseException
or an IOException
. To intercept all exceptions and rethrow them, you would have to catch Exception
and declare your method as throwing an Exception
. This is "imprecise rethrow", because you are throwing a general Exception
type (instead of specific ones) and statements calling your method need to catch this general Exception
.
This is illustrated below:
//imprecise rethrow. //must use "throws Exception" public static void imprecise() throws Exception{ try { new SimpleDateFormat("yyyyMMdd").parse("foo"); new FileReader("file.txt").read(); } catch (Exception e) { System.out.println("Caught exception: " + e.getMessage()); throw e; } }However, in Java 7, you can be more precise about the exception types being rethrown from a method. If you rethrow an exception from a catch block, you are actually throwing an exception type which:
- the try block can throw,
- no previous catch clause handles, and
- is a subtype of one of the types in the declaration of the catch parameter
//java 7: precise rethrow. //no longer "throws Exception" public static void precise() throws ParseException, IOException{ try { new SimpleDateFormat("yyyyMMdd").parse("foo"); new FileReader("file.txt").read(); } catch (Exception e) { System.out.println("Caught exception: " + e.getMessage()); throw e; } } //this example handles ParseException public static void precise2() throws IOException{ try { new SimpleDateFormat("yyyyMMdd").parse("foo"); new FileReader("file.txt").read(); } catch(ParseException e){ System.out.println("Parse Exception"); }catch (Exception e) { System.out.println("Caught exception: " + e.getMessage()); throw e; } }(Note: Early documentation of this feature, states that you have to use a
final
modifier on the catch parameter, but this restriction was lifted later on, so is not necessary.)
Further ReadingRethrowing Exceptions with More Inclusive Type Checking
Hi Fahd,
ReplyDeleteGreat explanation! I'd like to borrow it (attributing it to you of course) for our University session in OSCON this week. Let me know!
Cheers,
Martijn
Hi Martijn,
ReplyDeleteI'm glad you found this post useful. Feel free to use it in your session!