假设我有一个这样的功能-

doSomeOperation = async () => {
  try {
    let result = await DoSomething.mightCauseException();
    if (result.invalidState) {
      throw new Error("Invalid State error");
    }

    return result;
  } catch (error) {
    ExceptionLogger.log(error);
    throw new Error("Error performing operation");
  }
};

这里DoSomething.mightCauseException是一个异步调用,可能会导致异常,而我正在使用try..catch来处理它。但是,然后使用获得的结果,我可能会决定我需要告诉doSomeOperation调用者该操作由于某种原因而失败。

在上面的函数中,我所抛出的Errorcatch块捕获,只有通用的Error被抛出给doSomeOperation的调用者。
doSomeOperation的调用者可能正在执行以下操作-
doSomeOperation()
  .then((result) => console.log("Success"))
  .catch((error) => console.log("Failed", error.message))

我的自定义错误永远不会出现在这里。

构建Express应用程序时可以使用此模式。路由处理程序将调用某些可能希望以不同方式失败的函数,并让客户端知道其失败原因。

我想知道如何做到这一点?这里还有其他可遵循的模式吗?谢谢!

最佳答案

只需更改行的顺序即可。

doSomeOperation = async() => {
    let result = false;
    try {
        result = await DoSomething.mightCauseException();
    } catch (error) {
        ExceptionLogger.log(error);
        throw new Error("Error performing operation");
    }
    if (!result || result.invalidState) {
        throw new Error("Invalid State error");
    }
    return result;
};

更新1

或者,您可以如下创建自定义错误。

class MyError extends Error {
  constructor(m) {
    super(m);
  }
}

function x() {
  try {
    throw new MyError("Wasted");
  } catch (err) {
    if (err instanceof MyError) {
      throw err;
    } else {
      throw new Error("Bummer");
    }
  }

}

x();


更新2

将此映射到您的案例,

class MyError extends Error {
  constructor(m) {
    super(m);
  }
}

doSomeOperation = async() => {
  try {
    let result = await mightCauseException();
    if (result.invalidState) {
      throw new MyError("Invalid State error");
    }

    return result;
  } catch (error) {
    if (error instanceof MyError) {
      throw error;
    }
    throw new Error("Error performing operation");
  }
};

async function mightCauseException() {
  let random = Math.floor(Math.random() * 1000);
  if (random % 3 === 0) {
    return {
      invalidState: true
    }
  } else if (random % 3 === 1) {
    return {
      invalidState: false
    }
  } else {
    throw Error("Error from function");
  }
}


doSomeOperation()
  .then((result) => console.log("Success"))
  .catch((error) => console.log("Failed", error.message))

08-26 14:55