错误处理

抛出错误是一件好事情! 他们意味着当你的程序有错时运行时可以成功确认, 并且通过停止执行当前堆栈
上的函数来让你知道, 结束当前进程(在 Node 中), 在控制台中用一个堆栈跟踪提示你。

不要忽略捕捉到的错误

对捕捉到的错误不做任何处理不能给你修复错误或者响应错误的能力。 向控制台记录错误 (console.log)
也不怎么好, 因为往往会丢失在海量的控制台输出中。 如果你把任意一段代码用 try/catch 包装那就
意味着你想到这里可能会错, 因此你应该有个修复计划, 或者当错误发生时有一个代码路径。

不好的:

  1. try {
  2. functionThatMightThrow();
  3. } catch (error) {
  4. console.log(error);
  5. }

好的:

  1. try {
  2. functionThatMightThrow();
  3. } catch (error) {
  4. // One option (more noisy than console.log):
  5. console.error(error);
  6. // Another option:
  7. notifyUserOfError(error);
  8. // Another option:
  9. reportErrorToService(error);
  10. // OR do all three!
  11. }

不要忽略被拒绝的 promise

与你不应忽略来自 try/catch 的错误的原因相同。

不好的:

  1. getdata()
  2. .then((data) => {
  3. functionThatMightThrow(data);
  4. })
  5. .catch((error) => {
  6. console.log(error);
  7. });

好的:

  1. getdata()
  2. .then((data) => {
  3. functionThatMightThrow(data);
  4. })
  5. .catch((error) => {
  6. // One option (more noisy than console.log):
  7. console.error(error);
  8. // Another option:
  9. notifyUserOfError(error);
  10. // Another option:
  11. reportErrorToService(error);
  12. // OR do all three!
  13. });