在 TypeScript 中使用 try..catch..finally 处理异常

Muhammad Ibrahim Alvi 2024年2月15日
  1. 在 TypeScript 中处理异常
  2. unknown 类型的 catch 子句变量
在 TypeScript 中使用 try..catch..finally 处理异常

本教程将讨论使用 try..catch..finally 语句在 TypeScript 中处理异常。

在 TypeScript 中处理异常

在 TypeScript 中,try..catch..finally 块处理程序在运行时出现的异常。它让程序正确运行,不会随意结束。

可能出现异常的主要代码放在 try 块内。如果发生异常,它会转到处理它的 catch 块;但是,如果没有遇到错误,则会跳过 catch 块。

在任何情况下,无论程序中是否出现错误,finally 块都将始终执行。

下面是一些代码示例,说明我们如何在 TypeScript 中使用 try..catch..finally 进行异常处理。

function doOrThrow<T>(error: T): true{
    if (Math.random() > .5){
        console.log('true')
        return true;
    }
	else{
        throw error;
    }
}
try{
    doOrThrow('err1');
    doOrThrow('err2');
    doOrThrow('err3');
} 
catch (e:any){
    console.log(e,'error')
}
finally{
    console.log("Terminated");
}

输出:

使用 try-catch-finally 检查数字是否大于 5

try 块内的函数被调用三次,它传递一个参数。如果生成的数字大于 0.5,它将执行 if 块并返回 true

否则,它将抛出一个错误,该错误在 catch 块中处理。它告诉在执行 trycatch 之后它会抛出哪个调用。

下面再考虑一个例子。

let fun: number; // Notice use of `let` and explicit type annotation
const runTask=()=>Math.random();
try{
    fun = runTask();
    console.log('Try Block Executed');
    throw new Error("Done");
}
catch(e){
    console.log("Error",e);
}
finally{
    console.log("The Code is finished executing.");
}

输出:

在 TypeScript 中使用 try-catch-finally 的示例

unknown 类型的 catch 子句变量

在 TypeScript 的 4.0 版 之前,catch 子句变量的类型是 any。由于变量具有分配给它们的类型 any,它们缺乏类型安全性,导致无效操作和错误。

现在,TypeScript 的 4.0 版 允许我们指定 catch 子句变量的类型 unknown,这比类型 any 安全得多。

它提醒我们,在对值进行操作之前,我们需要执行某种类型的检查。

try {
    // ...
}
catch (err: unknown) {
    // error!
    // property 'toUpperCase' does not exist on 'unknown' type.
    console.log(err.toUpperCase());

    if (typeof err === "string") {
        // works!
        // We have narrowed 'err' down to the type 'string'.
        console.log(err.toUpperCase());
    }
}
Muhammad Ibrahim Alvi avatar Muhammad Ibrahim Alvi avatar

Ibrahim is a Full Stack developer working as a Software Engineer in a reputable international organization. He has work experience in technologies stack like MERN and Spring Boot. He is an enthusiastic JavaScript lover who loves to provide and share research-based solutions to problems. He loves problem-solving and loves to write solutions of those problems with implemented solutions.

LinkedIn