在代码出现异常时,我们经常会看到try-catch的出现,这里可以拆分成两个关键词进行理解。一个是try,另一个是catch,组合在一起对异常点进行抛出和捕捉。下面我们分别介绍try和catch概念用法以及二者组合在一起处理异常的方法,具体内容往下看。
1.try和catch概念
try -- 用于监听。将要被监听的代码(可能抛出异常的代码)放在try语句块之内,当try语句块内发生异常时,异常就被抛出。
catch -- 用于捕获异常。catch用来捕获try语句块中发生的异常。
2.try和catch用法
public class Demo1 { public static void main(String[] args) { try { int i = 10/0; System.out.println("i="+i); } catch (ArithmeticException e) { System.out.println("Caught Exception"); System.out.println("e.getMessage(): " + e.getMessage()); System.out.println("e.toString(): " + e.toString()); System.out.println("e.printStackTrace():"); e.printStackTrace(); } } }
在try语句块中有除数为0的操作,该操作会抛出java.lang.ArithmeticException异常。通过catch,对该异常进行捕获。
3.try-catch处理异常
private static void readFile(String filePath) { File file = new File(filePath); String result; BufferedReader reader; try { reader = new BufferedReader(new FileReader(file)); while((result = reader.readLine())!=null) { System.out.println(result); } reader.close(); } catch (IOException e) { e.printStackTrace(); }}
java中try-catch的使用方法,在程序出现Exception这类可以解决的错误时,我们可以通过try-catch的方法进行改变。 以上就是