如何处理 JavaScript 中 setTimeout 的错误?

问题描述 投票:0回答:5

关于

try
/
catch
的简单问题,用于
setTimeout

中的函数
try {
    setTimeout(function () {
        throw new Error('error!');
    }, 300)
} catch (e) {
    console.log('eeee!')
    console.log(e)
}

为什么 catch 块不起作用?

我能读到什么?

P.S:问题是关于处理这样的错误的可能性。不要回答承诺。

javascript node.js asynchronous
5个回答
88
投票

计划与

setTimeout
一起运行的函数在主循环中执行,在发起它们的代码体之外。

要处理错误,请将

try-catch
放入
setTimeout
处理程序中:

setTimeout(function () {
  try {
    throw new Error('error!');
  } catch (e) {
    console.error(e);
  }
}, 300)

如果您需要从调用

Error
的块访问
setTimeout
对象,请使用Promises

const promise = new Promise((resolve, reject) => {
  setTimeout(function () {
    try {
      throw new Error('error!');
      resolve(); // if the previous line didn't always throw

    } catch (e) {
      reject(e)
    }
  }, 300)
})

promise
  .then(result => console.log("Ok " + result))
  .catch(error => console.error("Ouch " + error))

上面的这个例子并不是处理带有

Promise
的情况的最优雅的方式。相反,像这样实现一个
delay(ms)
函数:

function delay(ms) {
  return new Promise(resolve => setTimeout(resolve, ms))
}

然后打电话

delay(300).then(myFunction).catch(handleError)

33
投票

您可以在这个 Node.js 官方doc.

中找到很好的解释

问题是,当您的

setTimeout()
函数执行回调时,
try { } catch(err) { }
块已经退出。另请注意,回调可能会使 Node.js 进程崩溃。

但是如果你想处理

setTimeout()
函数的回调中的错误,那么你可以使用
process
全局EventEmitter对象监听它们

process.on('uncaughtException', function(err){
  console.log(err)   
})

3
投票

因为 catch 块在词法上包围了

setTimeout
调用,但这不是抛出的函数。 直译,是

setTimeout(function () {
  try {
    throw new Error('error!');
  } catch (e) {
    console.log('eeee!');
    console.log(e);
  }
}, 300);

3
投票

有点奇怪的解决方案,但有时它可能会有用......

function globalErrorHandler(e) {
  console.warn('eeee!')
  console.warn(e);
}

const _setTimeoutOriginal = setTimeout;
setTimeout = function(callback, timeout) {
  const args = Array.from(arguments).slice(2);
  _setTimeoutOriginal(function() {
    try {
      callback.apply(this, args);
    } catch (e) {
      globalErrorHandler(e);
    }
  }, timeout);
};

setTimeout(function() {
  throw new Error('error!');
}, 300)


0
投票

当我们有

try/catch
块时,“try”块中的代码会立即执行。当我们在
await
中有
try/catch
语法时,当 await 行运行时执行停止。在您的代码示例中,当
setTimeout
代码被执行时,不在
try/catch
块中。

一种处理方法是使用

setTimeout
中的
timers/promises
。在
test.mjs
文件中,写这个并用
node test.mjs

执行
import { setTimeout } from "timers/promises";

async function testing() {
  try {
    setTimeout(300);
    throw new Error("error!");
  } catch (e) {
    console.log("eeee!");
    console.log(e);
  }
}
© www.soinside.com 2019 - 2024. All rights reserved.