Java語言中兩種異常的差別(1 / 2)

Java語言中兩種異常的差別

Java提供了兩類主要的異常:runtime exception和checked exception。所有的checked exception是從java.lang.Exception類衍生出來的,而runtime exception則是從java.lang.RuntimeException或java.lang.Error類衍生出來的。

它們的不同之處表現在兩方麵:機製上和邏輯上。

一、機製上

它們在機製上的不同表現在兩點:1.如何定義方法;2. 如何處理拋出的異常。請看下麵CheckedException的定義:

public class CheckedException extends Exception

{

public CheckedException() {}

public CheckedException( String message )

{

super( message );

}

}

以及一個使用exception的例子:

public class ExceptionalClass

{

public void method1()

throws CheckedException

{

// ... throw new CheckedException( "...出錯了" );

}

public void method2( String arg )

{

if( arg == null )

{

throw new NullPointerException( "method2的參數arg是null!" );

}

}

public void method3() throws CheckedException

{

method1();

}

}

你可能已經注意到了,兩個方法method1()和method2()都會拋出exception,可是隻有method1()做了聲明。另外,method3()本身並不會拋出exception,可是它卻聲明會拋出CheckedException。在向你解釋之前,讓我們先來看看這個類的main()方法:

public static void main( String[] args )

{

ExceptionalClass example = new ExceptionalClass();

try

{

example.method1();

example.method3();

}

catch( CheckedException ex ) { } example.method2( null );

}

在main()方法中,如果要調用method1(),你必須把這個調用放在try/catch程序塊當中,因為它會拋出Checked exception。

相比之下,當你調用method2()時,則不需要把它放在try/catch程序塊當中,因為它會拋出的exception不是checked exception,而是runtime exception。會拋出runtime exception的方法在定義時不必聲明它會拋出exception。

現在,讓我們再來看看method3()。它調用了method1()卻沒有把這個調用放在try/catch程序塊當中。它是通過聲明它會拋出method1()會拋出的exception來避免這樣做的。它沒有捕獲這個exception,而是把它傳遞下去。實際上main()方法也可以這樣做,通過聲明它會拋出Checked exception來避免使用try/catch程序塊(當然我們反對這種做法)。