异常(或异常事件)是在执行程序期间出现的问题。发生异常时,程序的正常流程中断,程序/应用程序异常终止。
Dart内置异常如下 -
编号 | 异常 | 描述 |
---|---|---|
1 | DeferredLoadException |
延迟库无法加载时抛出。 |
2 | FormatException |
当字符串或某些其他数据没有预期格式且无法解析或处理时抛出异常。 |
3 | IntegerDivisionByZeroException |
当数字除以零时抛出。 |
4 | IOException |
所有与输入输出相关的异常的基类。 |
5 | IsolateSpawnException |
无法创建隔离时抛出。 |
6 | Timeout |
在等待异步结果时发生计划超时时抛出。 |
Dart中的每个异常都是预定义类Exception
的子类,必须处理异常以防止应用程序突然终止。
try
块嵌入可能导致异常的代码。需要指定异常类型时使用on
块。当处理程序需要异常对象时使用catch
块。
try
块必须紧跟一个on/catch
块或一个finally
块(或两者之一)。当try
块中发生异常时,控制将转移到catch
。
处理异常的语法如下所示 -
try { // code that might throw an exception } on Exception1 { // code for handling exception } catch Exception2 { // code for handling exception }
以下是要记住的一些要点 -
on
/catch
块来处理多个异常。on
块和catch
块是相互包含的,即try
块可以与on
块和catch
块相关联。示例:使用on块
以下程序分别用变量x
和y
表示的两个数字。代码抛出异常,因为它尝试除以0
。on
块包含处理此异常的代码。
main() { int x = 12; int y = 0; int res; try { res = x ~/ y; } on IntegerDivisionByZeroException { print('Cannot divide by zero'); } }
执行上面示例代码,得到以下结果 -
Cannot divide by zero
示例:使用catch块
在以下示例中,使用了与上面相同的代码。唯一的区别是在catch
块(而不是on
块)包含处理异常的代码。catch
的参数包含在运行时抛出的异常对象。
main() { int x = 12; int y = 0; int res; try { res = x ~/ y; } catch(e) { print(e); } }
执行上面示例代码,得到以下结果 -
IntegerDivisionByZeroException
示例:on…catch
以下示例显示如何使用on...catch
块。
main() { int x = 12; int y = 0; int res; try { res = x ~/ y; } on IntegerDivisionByZeroException catch(e) { print(e); } }
执行上面示例代码,得到以下结果 -
IntegerDivisionByZeroException
finally
块包括应该执行的代码,而不管异常的发生。try/on/catch
之后无条件执行可选的finally
块。
使用finally
块的语法如下 -
try { // code that might throw an exception } on Exception1 { // exception handling code } catch Exception2 { // exception handling } finally { // code that should always execute; irrespective of the exception }
以下示例说明了finally
块的使用。
main() { int x = 12; int y = 0; int res; try { res = x ~/ y; } on IntegerDivisionByZeroException { print('Cannot divide by zero'); } finally { print('Finally block executed'); } }
执行上面示例代码,得到以下结果:
Cannot divide by zero Finally block executed
throw
关键字用于显式引发异常。应该处理引发的异常,以防止程序突然退出。
引发异常的语法是 -
throw new Exception_name()
示例
以下示例显示如何使用throw
关键字抛出异常 -
main() { try { test_age(-2); } catch(e) { print('Age cannot be negative'); } } void test_age(int age) { if(age<0) { throw new FormatException(); } }
执行上面示例代码,得到以下结果 -
Age cannot be negative
如上所述,Dart中的每个异常类型都是内置类Exception
的子类。Dart可以通过扩展现有异常来创建自定义异常。定义自定义异常的语法如下所示 -
语法:自定义异常
class Custom_exception_Name implements Exception { // can contain constructors, variables and methods }
应该明确引发自定义异常,并且应该在代码中处理相同的异常。
示例
以下示例显示如何定义和处理自定义异常。
class AmtException implements Exception { String errMsg() => 'Amount should be greater than zero'; } void main() { try { withdraw_amt(-1); } catch(e) { print(e.errMsg()); } finally { print('Ending requested operation.....'); } } void withdraw_amt(int amt) { if (amt <= 0) { throw new AmtException(); } }
在上面的代码中,定义了一个自定义异常AmtException
。如果传递的金额不在例外范围内,则代码会引发异常。main
函数将函数调用包含在try...catch
块中。
代码应该产生以下输出 -
Amount should be greater than zero Ending requested operation....