JavaScript 中 Go 风格的错误处理
几乎每个每天使用 javascript 的人都知道 try-catch 处理起来很痛苦,尤其是当你有多个错误需要处理时。
大多数提出的解决方案都试图复制 golang 的方法 - 将所有内容作为返回值处理。除其他外,它是 go 的一个很棒的功能,但 js 是完全不同的语言(废话),我认为我们可以比 go 的复制粘贴做得更好。
在 go 中,当我们想要处理错误时,我们从函数调用中返回它,或者作为元组中的第二个值,或者作为函数调用的返回值。以下是图案:
result, error := dosomething() if error != nil { // handle error }
这种方法允许使用标准控制流显式处理错误。
要在 javascript 中应用此模式,最常见的解决方案是将结果作为数组返回:
const handler = async (promise) => { try { const result = await promise() return [result, null]; } catch(error) { return [null, error]; } } const [response, error] = await handle(fetch('http://go.gl')) if (error !== null) { // handle error }
如您所见,这几乎是直接复制粘贴 go 中的模式。
返回一致的值
这种模式效果很好,但在 javascript 中我们可以做得更好。这种模式的核心思想是将错误作为值返回,所以让我们用更好的 soc 来适应它。
我们可以使用一致的接口来装饰结果,而不是返回 null 或 error。这将改善我们的 soc,并为我们提供强类型的返回值:
interface status { ok(): boolean; fail(): boolean; of(cls: any): boolean; }
接口 status 不一定是 error,但我们可以使用 status.of(error) 检查它的类型。我们总是可以返回一个满足 status 的对象。使用示例是:
const [response, error] = await handle(res.json()) if (error.of(syntaxerror)) { // handle error console.log("not a json") return }
现在,在 javascript 中我们的结果并不总是必须是元组。我们实际上可以创建自己的类,在需要时充当元组:
interface iresult<t> { 0: t; 1: status; value: t; status: status; of(cls: any): boolean; ok(): boolean; fail(): boolean; } </t>
使用示例:
const result = await handle(res.value.json()) if (result.of(syntaxerror)) { // handle error console.log("not a json") return }
实施
按照这种方法,我创建了随时可用的功能 - grip。
grip 是强类型的,可以装饰函数和 promise 等。
我使用 git 来托管此类软件包,因此要安装使用 github:
bun add github:nesterow/grip # or pnpm
用法:
grip 函数接受一个函数或一个 promise,并返回一个带有返回值和状态的结果。
结果可以作为对象或元组处理。
import { grip } from '@nesterow/grip';
将结果作为对象处理:
结果可以作为对象处理:{value, status, ok(), fail(), of(type)}
const res = await grip( fetch('https://api.example.com') ); if (res.fail()) { handleerrorproperly(); return; } const json = await grip( res.value.json() ); if (json.of(syntaxerror)) { handlejsonparseerror(); return; }
将结果作为元组处理:
如果你想以 go'ish 风格处理错误,结果也可以作为元组接收:
const [res, fetchStatus] = await grip( fetch('https://api.example.com') ); if (fetchStatus.Fail()) { handleErrorProperly(); return; } const [json, parseStatus] = await grip( res.json() ); if (parseStatus.Of(SyntaxError)) { handleJsonParseError(); return; }
如果您喜欢这种错误处理方式,请查看存储库。源码大约有 50loc,不带类型,100 个带类型。
以上就是JavaScript 中 Go 风格的错误处理的详细内容,更多请关注www.sxiaw.com其它相关文章!