JAVA fundamentals of exception handling mechanism
Agenda
- Three Categories Of Exceptions
- Exceptions Hierarchy
- try-catch-finally block
- The try-with-resources
- User-defined Exceptions
- The Throws/Throw Keywords
Three Categories Of Exceptions
There have various of reasons cause different exceptions during execution or compilation, some of them are caused by user's invalid operation, others are caused by program error/bug, and others are caused by environmental/physical issue ( file resource missing,
network unavailable, e.g.). here we have three categories of exceptions. Checked exceptions, Unchecked exception and Errors.
- Checked exceptions - A checked exception is an exception occurs at the compile time, which is also called as compile time exception. The compiler will automatically prompts to programmer to handle these exceptions.
Example
import java.io.File;
import java.io.FileReader; public class FilenotFound_Demo { public static void main(String args[]) {
File file = new File("E://file.txt");
FileReader fr = new FileReader(file);
}
}
If you try to compile above code, you will get below exceptions.
C:\>javac FilenotFound_Demo.java
FilenotFound_Demo.java:8: error: unreported exception FileNotFoundException; must be caught or declared to be thrown
FileReader fr = new FileReader(file);
^
1 error
- Uncheck exceptions - An uncheck exception is an exception occurs at the time of execution, these exceptions are also calledRuntime Exceptions. These includes programing bugs, such as logic errors or improper usage of API.
For example,ArrayIndexOutOfBoundsExceptionexception. - Errors - Error is not Exception at all, but problems that arise beyond the control of user of the program, they are invariably ignored in your code and the compiler as well, because you can rarely do anything, for example, an stack overflow
occurs, an error will arise.
Exception Hierarchy
All exceptions/errors inherit from the base class Throwable class, it contains two implortant subclass, Errors and Exception. as you see, all exception in Java are class.
- Errors- Errors indicate the pro they are serious problems that can not be handled by the program such asJVM stack overflow error, out of memory error, etc., Most of them are not caused by Java programs code, instead, caused
by the JVM, which is the programs runtime environment. Normally, programs should not try to recover Errors because it should be handled by JVM by stopping the thread. Errors also can not be traced in program as it is out of the program control. - Exceptions-Exception class has two main subclass, IOException class and RuntimeException Class. RuntimeException means validate JVM operations such as NullPointerException, ArithmeticException, ArrayIndexOutOfBoundException,etc., they
are uncheck exceptions that occurs at the time of execution. other exceptions such as IOException, SQLException are checked Exceptions.
Here is the graph to show you the Java Exception Hierarchy,
P1 Java Exception Hierarchy
the try-catch-finally block
The exception object will be created if exception occurs in try block during execution and threw out to JVM, JVM will try to look for a catch block witch is matched with the exception to handle the exception, then try-catch block ends.
The rules to match the type of exceptions: if the exception which is threw in try block, is the same class of each catch block, or the subclass of the catch block, it is considered to be matched.
that means we'd better put the underlying exceptions in more front place for high priority handling, put the business exceptions in more back place for low priority handling, otherwise the underlying exceptions may be masked by the business exceptions.
Example
public class TestException {
public static void main(String[] args) {
int a = 6;
int b = 0;
try { // try监控区域
if (b == 0) throw new ArithmeticException(); // 通过throw语句抛出异常
System.out.println("a/b的值是:" + a / b);
}
catch (ArithmeticException e) { // catch捕捉异常
System.out.println("程序出现异常,变量b不能为0。");
}
System.out.println("程序正常结束。");
}
}
ps: actually the ArithmeticException is the subclass of RuntimeException, will be threw out automatically by JVM without throw keyword explicitly in try block.
The finally block
the statement in the finally block will always be executed no matter whether exception occurs or not. if the return statement appears in try-catch block, the finally block will be executed before the return back statement and it would not be executed for
following 4 cases.
- If exceptions occur in finally block
- Have used System.exit() in preceding codes.(JVM stopping too early)
- The thread of the program has dead.
- CPU has been closed.(hardware issue)
The sequence of execution of statements in finally block
- if no exceptions are thrown by try block-statements in try block will be executed in orders one by one, the program will skip the statements in catch block and continue to execute the statements in finally block and following statements.
- if exceptions are thrown by try block but no catch block can catch the them-the exceptions will be handled by JVM, the statements in finally block will be executed but the statements following with finally will
not be executed. - if exceptions are thrown by try block and caught by catch block-the exception will be just caught by one catch block in catch block orders and other catch blocks will be skipped, in try block, the statements following with the exception
line will not be executed, after the catch block, the statements in finally block will be executed and the following codes as well.
The try-with-resources
Generally, we declare resources like streams, connections, etc. in try block then you have to explicitlyclose them in finally block. Here is a typically example when we use resources instance in try-catch-finally block.
Example
import java.io.File;
import java.io.FileReader;
import java.io.IOException; public class ReadData_Demo { public static void main(String args[]) {
FileReader fr = null;
try {
File file = new File("file.txt");
fr = new FileReader(file); char [] a = new char[50];
fr.read(a); // reads the content to the array
for(char c : a)
System.out.print(c); // prints the characters one by one
}catch(IOException e) {
e.printStackTrace();
}finally {
try {
fr.close();
}catch(IOException ex) {
ex.printStackTrace();
}
}
}
}
now you can use resources without explicitly to close them in try-with-resources block, because it can be automaticallyimplicitlyclosed in final block, it is a new feature in Java 7 referred asautomatic resource management.
to use this statement, you just need to declare resource within parenthesis as below syntax, the resource will be closed at the end of the block.
Syntax
try(FileReader fr = new FileReader("file path")) {
// use the resource
}catch() {
// body of catch
}
}
Example
import java.io.FileReader;
import java.io.IOException; public class Try_withDemo { public static void main(String args[]) {
try(<strong><span style="color:#FF0000;">FileReader fr = new FileReader("E://file.txt")</span></strong>) {
char [] a = new char[50];
fr.read(a); // reads the contentto the array
for(char c : a)
System.out.print(c); // prints the characters one by one
}catch(IOException e) {
e.printStackTrace();
}
}
}
Keep in mind below points when using try-with-resources statement.
- it should implement AutoCloseable interface, the close() method will get invoked automatically at runtime.
- you can declare multiple resource in parenthesis and there will be closed in reverse order.
- the resource gets instance just before the start of try block.
User-Defined Exceptions
- All exceptions must be a child of Throwable class.
- You need to extend the Exception class if you want to create a checked exception that is enforced by the Handle or Declare rule.
- You need to extend the RuntimeException class in case you want to create a run time exception (unchecked exception)
here is a sample of user-defined exception that extends the Exception class, making it a checked exception.
Example
// File Name InsufficientFundsException.java
import java.io.*; public class InsufficientFundsException <strong><span style="color:#ff0000;">extends Exception</span></strong> {
private double amount; public InsufficientFundsException(double amount) {
this.amount = amount;
} public double getAmount() {
return amount;
}
}
Following withdraw() method in CheckingAcount class demonstrates the usage of above user-defined exception. here we will throw out an exception object that contains its own fields and method to process the parameters we pass in and the methods can be used in
higher lever class to show as format what we want, it is cool right?!
// File Name CheckingAccount.java
import java.io.*; public class CheckingAccount {
private double balance;
private int number; public CheckingAccount(int number) {
this.number = number;
} public void deposit(double amount) {
balance += amount;
} public void withdraw(double amount) <strong><span style="color:#ff0000;">throws InsufficientFundsException</span></strong> {
if(amount <= balance) {
balance -= amount;
}else {
double needs = amount - balance;
<strong><span style="color:#ff0000;">throw new InsufficientFundsException(needs);</span></strong>
}
} public double getBalance() {
return balance;
} public int getNumber() {
return number;
}
}
now we create a higher level class which is calling above CheckingAccount class and also will catch the exceptions thrown by CheckingAccount class. then we can call the user-defined exception class to process the checked exception.
// File Name BankDemo.java
public class BankDemo { public static void main(String [] args) {
CheckingAccount c = new CheckingAccount(101);
System.out.println("Depositing $500...");
c.deposit(500.00); try {
System.out.println("\nWithdrawing $100...");
c.withdraw(100.00);
System.out.println("\nWithdrawing $600...");
c.withdraw(600.00);
}<strong><span style="color:#ff0000;">catch(InsufficientFundsException e) {
System.out.println("Sorry, but you are short $" + e.getAmount());</span></strong>
e.printStackTrace();
}
}
}
Output
Depositing $500... Withdrawing $100... Withdrawing $600...
Sorry, but you are short $200.0
<strong><span style="color:#ff0000;">InsufficientFundsException
at CheckingAccount.withdraw(CheckingAccount.java:25)
at BankDemo.main(BankDemo.java:13)</span></strong>
The Throws/Throw Keywords
difference
- If a method does not handle a checked exception, the method must declare it using the throws keyword, thethrows
keyword appears at the end of a method's signature. - you can throw a exception, either a newly instantiated one or an exception that you just caught, by usingthrow
keyword.
functionality
the throws is used to postpone the handling of a checked exception (to a high level class or method) and the throw is used to invoke an exception explicitly.
example
import java.io.*;
public class className { public void deposit(double amount) <span style="color:#FF0000;">throws </span>RemoteException {
// Method implementation
<span style="color:#FF0000;">throw </span>new RemoteException();
}
// Remainder of class definition
}
Reference
深入理解java异常处理机制
http://blog.csdn.net/hguisu/article/details/6155636
Java - Exceptions --- http://www.tutorialspoint.com/java/java_exceptions.htm
Lesson: Exceptions (The Java™ Tutorials > Essential Classes)
http://docs.oracle.com/javase/tutorial/essential/exceptions
JAVA fundamentals of exception handling mechanism的更多相关文章
- Java – Top 5 Exception Handling Coding Practices to Avoid
This article represents top 5 coding practices related with Java exception handling that you may wan ...
- How a C++ compiler implements exception handling
Introduction One of the revolutionary features of C++ over traditional languages is its support for ...
- Exception (2) Java Exception Handling
The Java programming language uses exceptions to handle errors and other exceptional events.An excep ...
- Exception (3) Java exception handling best practices
List Never swallow the exception in catch block Declare the specific checked exceptions that your me ...
- Java exception handling best practices--转载
原文地址:http://howtodoinjava.com/2013/04/04/java-exception-handling-best-practices/ This post is anothe ...
- [转]java-Three Rules for Effective Exception Handling
主要讲java中处理异常的三个原则: 原文链接:https://today.java.net/pub/a/today/2003/12/04/exceptions.html Exceptions in ...
- Exception Handling Considered Harmful
异常处理被认为存在缺陷 Do, or do not. There is no try. - Yoda, The Empire Strikes Back (George Lucas) by Jason ...
- HttpClient(4.3.5) - Exception Handling
HttpClient can throw two types of exceptions: java.io.IOException in case of an I/O failure such as ...
- Structured Exception Handling
https://docs.microsoft.com/en-us/windows/desktop/Debug/structured-exception-handling An exception is ...
随机推荐
- 为什么要在block用weak self
block会给内部所有的对象引用计数加一,这一方面会带来潜在的retain cycle,不过我们可以通过Weak Self的手段解决.另一方面比较重要就是,它会延长对象的生命周期. 在block前面写 ...
- 【Origin】 偶题 之 抒意
作词抒胸臆, 辞赋九万里: 从南盖到北, 句句表挚期. -作于二零一五年七月十五日
- 利用Hudson持续集成来执行Android自动化测试(转)
当你套用Athrun.Robotium等框架,针对自己的项目写完了一堆自动化测试脚本后,在Eclipse之外怎么让它们可以持续性地跑起来并展现报告呢? 据我了解,方便的方法大致有两个:其一,利用Hud ...
- 用xml添加动画
在res文件夹下新建anim文件夹 在anim文件夹新建anim.xml anim.xml: <?xml version="1.0" encoding="utf-8 ...
- .net 网站预编译命令
aspnet_compiler -v /Aspnet -p "C:\inetpub\wwwroot\a" C:\inetpub\wwwroot\a2 /Aspnet iis ...
- [转]iis7.5+win2008 出现 HTTP Error 503. The service is unavailable.
解决: 应用程序池启动32位应用程序 设置托管管道为集成 (仍然有问题) 试试以下方法: http://phpwind.me/1222.html 楼主 发表于: 2011-11-26 图片: ...
- paper 74:MATLAB图像处理_HSV与RGB颜色空间互转
HSV空间:分别是H(色调)——S(饱和度)——V(亮度) 与HSI颜色空间类似:分别是H(色调)——S(饱和度)——I(强度) 注意: 强度和亮度差不多是一个概念. 饱和度代表的是渗入白光的数量级, ...
- ViewModel在MVC3中的应用:一个view显示多个model
在mvc3中,默认是一张数据表对应一个model,一个视图 view只显示一个model. 但是有些时候,我们一个视图上可能需要显示多个model的内容,即一个网页可能要展示多张表的信息,那怎么办呢, ...
- 手机端 zepto tap事件穿透
什么是事件穿透? 点击上面的一层时会触发下面一层的事件 ”google”说原因是“tap事件实际上是在冒泡到body上时才触发”,也就是Zepto的tap事件是绑定在document上的,所以会导致 ...
- DataTable 筛选数据
//使用聚合函数 max ,sum ,count .... private void ComputeBySalesSalesID(DataSet dataSet) { // Presumes ...