Java異常處理如何捕獲

小樊
81
2024-10-31 04:23:45

在Java中,異常處理是通過(guò)使用try-catch語(yǔ)句塊來(lái)捕獲和處理異常的。以下是一個(gè)簡(jiǎn)單的示例,說(shuō)明如何捕獲異常:

public class ExceptionHandlingExample {
    public static void main(String[] args) {
        int[] numbers = {1, 2, 3};

        try {
            // 嘗試執(zhí)行可能拋出異常的代碼
            int result = divide(10, 0);
            System.out.println("Result: " + result);
        } catch (ArithmeticException e) {
            // 捕獲特定類型的異常
            System.out.println("An error occurred: " + e.getMessage());
        } catch (Exception e) {
            // 捕獲其他類型的異常
            System.out.println("An unexpected error occurred: " + e.getMessage());
        } finally {
            // 無(wú)論是否發(fā)生異常,都會(huì)執(zhí)行的代碼塊
            System.out.println("This block will always be executed.");
        }
    }

    public static int divide(int a, int b) throws ArithmeticException {
        return a / b;
    }
}

在這個(gè)示例中,我們嘗試執(zhí)行一個(gè)可能拋出ArithmeticException的除法操作。如果操作成功,我們將打印結(jié)果。如果發(fā)生異常,我們將根據(jù)異常類型(在這種情況下是ArithmeticException)執(zhí)行相應(yīng)的catch塊。最后,無(wú)論是否發(fā)生異常,finally塊都會(huì)執(zhí)行。

0