Redis (ioredis) - 无法捕获连接错误以优雅地处理它们

Vad*_*est 12 javascript redis ioredis

我正在尝试优雅地处理 redis 错误,以便绕过错误并执行其他操作,而不是使我的应用程序崩溃。

但是到目前为止,我不能只捕获ioredis抛出的异常,它绕过了我的try/catch并终止了当前进程。这种当前的行为不允许我优雅地处理错误,也不允许我从替代系统(而不是 redis)中获取数据。

import { createLogger } from '@unly/utils-simple-logger';
import Redis from 'ioredis';
import epsagon from './epsagon';

const logger = createLogger({
  label: 'Redis client',
});

/**
 * Creates a redis client
 *
 * @param url Url of the redis client, must contain the port number and be of the form "localhost:6379"
 * @param password Password of the redis client
 * @param maxRetriesPerRequest By default, all pending commands will be flushed with an error every 20 retry attempts.
 *          That makes sure commands won't wait forever when the connection is down.
 *          Set to null to disable this behavior, and every command will wait forever until the connection is alive again.
 * @return {Redis}
 */
export const getClient = (url = process.env.REDIS_URL, password = process.env.REDIS_PASSWORD, maxRetriesPerRequest = 20) => {
  const client = new Redis(`redis://${url}`, {
    password,
    showFriendlyErrorStack: true, // See https://github.com/luin/ioredis#error-handling
    lazyConnect: true, // XXX Don't attempt to connect when initializing the client, in order to properly handle connection failure on a use-case basis
    maxRetriesPerRequest,
  });

  client.on('connect', function () {
    logger.info('Connected to redis instance');
  });

  client.on('ready', function () {
    logger.info('Redis instance is ready (data loaded from disk)');
  });

  // Handles redis connection temporarily going down without app crashing
  // If an error is handled here, then redis will attempt to retry the request based on maxRetriesPerRequest
  client.on('error', function (e) {
    logger.error(`Error connecting to redis: "${e}"`);
    epsagon.setError(e);

    if (e.message === 'ERR invalid password') {
      logger.error(`Fatal error occurred "${e.message}". Stopping server.`);
      throw e; // Fatal error, don't attempt to fix
    }
  });

  return client;
};
Run Code Online (Sandbox Code Playgroud)

我正在模拟错误的密码/url,以便查看 redis 在配置错误时的反应。我设置lazyConnecttrue是为了处理调用者的错误。

但是,当我将 url 定义为localhoste:6379 (而不是localhost:6379) 时,出现以下错误:

server 2019-08-10T19:44:00.926Z [Redis client] error:  Error connecting to redis: "Error: getaddrinfo ENOTFOUND localhoste localhoste:6379"
(x 20)
server 2019-08-10T19:44:11.450Z [Read cache] error:  Reached the max retries per request limit (which is 20). Refer to "maxRetriesPerRequest" option for details.
Run Code Online (Sandbox Code Playgroud)

这是我的代码:

server 2019-08-10T19:44:00.926Z [Redis client] error:  Error connecting to redis: "Error: getaddrinfo ENOTFOUND localhoste localhoste:6379"
(x 20)
server 2019-08-10T19:44:11.450Z [Read cache] error:  Reached the max retries per request limit (which is 20). Refer to "maxRetriesPerRequest" option for details.
Run Code Online (Sandbox Code Playgroud)

我的理解是 redis 错误是通过 处理的client.emit('error', error),这是异步的,被调用者不会抛出错误,这不允许调用者使用 try/catch 处理错误。

应该以非常特殊的方式处理 redis 错误吗?难道不能像我们通常对大多数错误所做的那样捕获它们吗?

此外,在抛出致命异常(进程停止)之前,redis 似乎重试了 20 次连接(默认情况下)。但我想处理任何异常并以我自己的方式处理它。

我已经通过提供错误的连接数据来测试 redis 客户端的行为,这使得无法连接,因为该 url 上没有可用的 redis 实例,我的目标是最终捕获各种 redis 错误并优雅地处理它们。

Pau*_*est 10

以下是我的团队在 TypeScript 项目中使用 IORedis 所做的工作:

  let redis;
  const redisConfig: Redis.RedisOptions = {
    port: parseInt(process.env.REDIS_PORT, 10),
    host: process.env.REDIS_HOST,
    autoResubscribe: false,
    lazyConnect: true,
    maxRetriesPerRequest: 0, // <-- this seems to prevent retries and allow for try/catch
  };

  try {

    redis = new Redis(redisConfig);

    const infoString = await redis.info();
    console.log(infoString)

  } catch (err) {

    console.log(chalk.red('Redis Connection Failure '.padEnd(80, 'X')));
    console.log(err);
    console.log(chalk.red(' Redis Connection Failure'.padStart(80, 'X')));
    // do nothing

  } finally {
    await redis.disconnect();
  }
Run Code Online (Sandbox Code Playgroud)


Nic*_*lay 9

连接错误报告为error客户端Redis对象上的事件

根据文档“自动重新连接”部分,ioredis 将在与 Redis 的连接丢失时自动尝试重新连接(或者,大概无法首先建立)。只有在maxRetriesPerRequest尝试后,挂起的命令才会“被错误刷新”,即到达catch这里:

  try {
    cachedItem = await redisClient.get(queryString); // This emit an error on the redis client, because it fails to connect (that's intended, to test the behaviour)
  } catch (e) {
    logger.error(e); // It never goes there, as the error isn't "thrown", but rather "emitted" and handled by redis its own way
    epsagon.setError(e);
  }
Run Code Online (Sandbox Code Playgroud)

由于您在第一个错误时停止程序:

  client.on('error', function (e) {
    // ...
    if (e.message === 'ERR invalid password') {
      logger.error(`Fatal error occurred "${e.message}". Stopping server.`);
      throw e; // Fatal error, don't attempt to fix
Run Code Online (Sandbox Code Playgroud)

...重试和随后的“因错误而刷新”永远没有机会运行。

忽略 中的错误client.on('error',您应该得到从 中返回的错误await redisClient.get()