使用 Async/Await 的 Try...Catch 块的正确语法
在 TypeScript 中使用方便的 Async/Await 功能时,出现问题当变量等待响应时,会出现关于变量声明的问题。传统上,它们必须在 try...catch 块之外声明以便稍后使用,如下所示:
let createdUser; try { createdUser = await this.User.create(userInfo); } catch (error) { console.error(error); } console.log(createdUser);
有人建议最好避免将业务逻辑放置在 try 块中。然而,使用推荐的方法需要在块外声明等待的变量,这可能很麻烦。
错误处理的最佳实践
这确实被认为是最佳实践避免在 try 主体中放置多行业务逻辑,以确保捕获由值引起的所有异常。更全面的方法如下:
try { const createdUser = await this.User.create(userInfo); console.log(createdUser); // Business logic goes here } catch (error) { console.error(error); // Exception from creation or business logic }
选择性错误处理的替代方案
如果您只想捕获和处理源自Promise:
let createdUser; // Or use 'var' inside the block try { createdUser = await this.User.create(userInfo); } catch (error) { console.error(error); // Exception from creation } if (createdUser) { // User was created successfully console.log(createdUser); // Business logic goes here }
try { const createdUser = await this.User.create(userInfo); console.log(createdUser); // Business logic goes here } catch (error) { if (error instanceof CreationError) { console.error(error); // Exception from creation } else { throw error; } }
await this.User.create(userInfo).then(createdUser => { // User was created successfully console.log(createdUser); // Business logic goes here }, error => { console.error(error); // Exception from creation });
以上是如何最好地处理 TypeScript 中 Async/Await Try...Catch 块中的错误?的详细内容。更多信息请关注PHP中文网其他相关文章!