当前位置:   article > 正文

Redis Pipelining 底层原理分析及实践

Redis Pipelining 底层原理分析及实践

作者:vivo 互联网服务器团队-Wang Fei

Redis是一种基于客户端-服务端模型以及请求/响应的TCP服务。在遇到批处理命令执行时,Redis提供了Pipelining(管道)来提升批处理性能。本文结合实践分析了Spring Boot框架下Redis的Lettuce客户端和Redisson客户端对Pipeline特性的支持原理,并针对实践过程中遇到的问题进行了分析,可以帮助开发者了解不同客户端对Pipeline支持原理及避免实际使用中出现问题。

一、前言

Redis 已经提供了像 mget 、mset 这种批量的命令,但是某些操作根本就不支持或没有批量的操作,从而与 Redis 高性能背道而驰。为此, Redis基于管道机制,提供Redis Pipeline新特性。Redis Pipeline是一种通过一次性发送多条命令并在执行完后一次性将结果返回,从而减少客户端与redis的通信次数来实现降低往返延时时间提升操作性能的技术。目前,Redis Pipeline是被很多个版本的Redis 客户端所支持的。 

二、Pipeline 底层原理分析

 2.1 Redis单个命令执行基本步骤

Redis是一种基于客户端-服务端模型以及请求/响应的TCP服务。一次Redis客户端发起的请求,经过服务端的响应后,大致会经历如下的步骤:

  1. 客户端发起一个(查询/插入)请求,并监听socket返回,通常情况都是阻塞模式等待Redis服务器的响应。

  2. 服务端处理命令,并且返回处理结果给客户端。

  3. 客户端接收到服务的返回结果,程序从阻塞代码处返回。

图片

2.2 RTT 时间

Redis客户端和服务端之间通过网络连接进行数据传输,数据包从客户端到达服务器,并从服务器返回数据回复客户端的时间被称之为RTT(Round Trip Time - 往返时间)。我们可以很容易就意识到,Redis在连续请求服务端时,如果RTT时间为250ms, 即使Redis每秒能处理100k请求,但也会因为网络传输花费大量时间,导致每秒最多也只能处理4个请求,导致整体性能的下降。

图片

2.3 Redis Pipeline

为了提升效率,这时候Pipeline出现了。Pipelining不仅仅能够降低RRT,实际上它极大的提升了单次执行的操作数。这是因为如果不使用Pipelining,那么每次执行单个命令,从访问数据的结构和服务端产生应答的角度,它的成本是很低的。但是从执行网络IO的角度,它的成本其实是很高的。其中涉及到read()和write()的系统调用,这意味着需要从用户态切换到内核态,而这个上下文的切换成本是巨大的。

当使用Pipeline时,它允许多个命令的读通过一次read()操作,多个命令的应答使用一次write()操作,它允许客户端可以一次发送多条命令,而不等待上一条命令执行的结果。不仅减少了RTT,同时也减少了IO调用次数(IO调用涉及到用户态到内核态之间的切换),最终提升程序的执行效率与性能。如下图:

图片

要支持Pipeline,其实既要服务端的支持,也要客户端支持。对于服务端来说,所需要的是能够处理一个客户端通过同一个TCP连接发来的多个命令,可以理解为,这里将多个命令切分,和处理单个命令一样,Redis就是这样处理的。而客户端,则是要将多个命令缓存起来,缓冲区满了就发送,然后再写缓冲,最后才处理Redis的应答。

三、Pipeline 基本使用及性能比较

下面我们以给10w个set结构分别插入一个整数值为例,分别使用jedis单个命令插入、jedis使用Pipeline模式进行插入和redisson使用Pipeline模式进行插入以及测试其耗时。

  1. @Slf4j
  2. public class RedisPipelineTestDemo {
  3. public static void main(String[] args) {
  4. //连接redis
  5. Jedis jedis = new Jedis("10.101.17.180", 6379);
  6. //jedis逐一给每个set新增一个value
  7. String zSetKey = "Pipeline-test-set";
  8. int size = 100000;
  9. long begin = System.currentTimeMillis();
  10. for (int i = 0; i < size; i++) {
  11. jedis.sadd(zSetKey + i, "aaa");
  12. }
  13. log.info("Jedis逐一给每个set新增一个value耗时:{}ms", (System.currentTimeMillis() - begin));
  14. //Jedis使用Pipeline模式 Pipeline Pipeline = jedis.Pipelined();
  15. begin = System.currentTimeMillis();
  16. for (int i = 0; i < size; i++) { Pipeline.sadd(zSetKey + i, "bbb");
  17. } Pipeline.sync();
  18. log.info("Jedis Pipeline模式耗时:{}ms", (System.currentTimeMillis() - begin));
  19. //Redisson使用Pipeline模式
  20. Config config = new Config();
  21. config.useSingleServer().setAddress("redis://10.101.17.180:6379");
  22. RedissonClient redisson = Redisson.create(config);
  23. RBatch redisBatch = redisson.createBatch();
  24. begin = System.currentTimeMillis();
  25. for (int i = 0; i < size; i++) {
  26. redisBatch.getSet(zSetKey + i).addAsync("ccc");
  27. }
  28. redisBatch.execute();
  29. log.info("Redisson Pipeline模式耗时:{}ms", (System.currentTimeMillis() - begin));
  30. //关闭 Pipeline.close();
  31. jedis.close();
  32. redisson.shutdown();
  33. }
  34. }

测试结果如下:

Jedis逐一给每个set新增一个value耗时:162655ms

Jedis Pipeline模式耗时:504ms

Redisson Pipeline模式耗时:1399ms

我们发现使用Pipeline模式对应的性能会明显好于单个命令执行的情况。

四、项目中实际应用

在实际使用过程中有这样一个场景,很多应用在节假日的时候需要更新应用图标样式,在运营进行后台配置的时候, 可以根据圈选的用户标签预先计算出单个用户需要下发的图标样式并存储在Redis里面,从而提升性能,这里就涉及Redis的批量操作问题,业务流程如下:

图片

为了提升Redis操作性能,我们决定使用Redis Pipelining机制进行批量执行。

4.1 Redis 客户端对比

针对Java技术栈而言,目前Redis使用较多的客户端为Jedis、Lettuce和Redisson。

图片

目前项目主要是基于SpringBoot开发,针对Redis,其默认的客户端为Lettuce,所以我们基于Lettuce客户端进行分析。

4.2 Spring环境下Lettuce客户端对Pipeline的实现

在Spring环境下,使用Redis的Pipeline也是很简单的。spring-data-redis提供了StringRedisTemplate简化了对Redis的操作,  只需要调用StringRedisTemplate的executePipelined方法就可以了,但是在参数中提供了两种回调方式:SessionCallback和RedisCallback

两种使用方式如下(这里以操作set结构为例):

  • RedisCallback的使用方式:

  1. public void testRedisCallback() {
  2. List<Integer> ids= Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9);
  3. Integer contentId = 1;
  4. redisTemplate.executePipelined(new InsertPipelineExecutionA(ids, contentId));
  5. }
  6. @AllArgsConstructor
  7. private static class InsertPipelineExecutionA implements RedisCallback<Void> {
  8. private final List<Integer> ids;
  9. private final Integer contentId;
  10. @Override
  11. public Void doInRedis(RedisConnection connection) DataAccessException {
  12. RedisSetCommands redisSetCommands = connection.setCommands();
  13. ids.forEach(id-> {
  14. String redisKey = "aaa:" + id;
  15. String value = String.valueOf(contentId);
  16. redisSetCommands.sAdd(redisKey.getBytes(), value.getBytes());
  17. });
  18. return null;
  19. }
  20. }
  • SessionCallback的使用方式:
  1. public void testSessionCallback() {
  2. List<Integer> ids= Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9);
  3. Integer contentId = 1;
  4. redisTemplate.executePipelined(new InsertPipelineExecutionB(ids, contentId));
  5. }
  6. @AllArgsConstructor
  7. private static class InsertPipelineExecutionB implements SessionCallback<Void> {
  8. private final List<Integer> ids;
  9. private final Integer contentId;
  10. @Override
  11. public <K, V> Void execute(RedisOperations<K, V> operations) throws DataAccessException {
  12. SetOperations<String, String> setOperations = (SetOperations<String, String>) operations.opsForSet();
  13. ids.forEach(id-> {
  14. String redisKey = "aaa:" + id;
  15. String value = String.valueOf(contentId);
  16. setOperations.add(redisKey, value);
  17. });
  18. return null;
  19. }
  20. }

4.3 RedisCallBack和SessionCallback之间的比较

1、RedisCallBack和SessionCallback都可以实现回调,通过它们可以在同一条连接中一次执行多个redis命令。

2、RedisCallback使用的是原生RedisConnection,用起来比较麻烦,比如上面执行set的add操作,key和value需要进行转换,可读性差,但原生api提供的功能比较齐全。

3、SessionCalback提供了良好的封装,可以优先选择使用这种回调方式。

最终的代码实现如下:

  1. public void executeB(List<Integer> userIds, Integer iconId) {
  2. redisTemplate.executePipelined(new InsertPipelineExecution(userIds, iconId));
  3. }
  4. @AllArgsConstructor
  5. private static class InsertPipelineExecution implements SessionCallback<Void> {
  6. private final List<Integer> userIds;
  7. private final Integer iconId;
  8. @Override
  9. public <K, V> Void execute(RedisOperations<K, V> operations) throws DataAccessException {
  10. SetOperations<String, String> setOperations = (SetOperations<String, String>) operations.opsForSet();
  11. userIds.forEach(userId -> {
  12. String redisKey = "aaa:" + userId;
  13. String value = String.valueOf(iconId);
  14. setOperations.add(redisKey, value);
  15. });
  16. return null;
  17. }
  18. }

4.4 源码分析

那么为什么使用Pipeline方式会对性能有较大提升呢,我们现在从源码入手着重分析一下:

4.4.1 Pipeline方式下获取连接相关原理分析:

  1. @Override
  2. public List<Object> executePipelined(SessionCallback<?> session, @Nullable RedisSerializer<?> resultSerializer) {
  3. Assert.isTrue(initialized, "template not initialized; call afterPropertiesSet() before using it");
  4. Assert.notNull(session, "Callback object must not be null");
  5. //1. 获取对应的Redis连接工厂
  6. RedisConnectionFactory factory = getRequiredConnectionFactory();
  7. //2. 绑定连接过程
  8. RedisConnectionUtils.bindConnection(factory, enableTransactionSupport);
  9. try {
  10. //3. 执行命令流程, 这里请求参数为RedisCallback, 里面有对应的回调操作
  11. return execute((RedisCallback<List<Object>>) connection -> {
  12. //具体的回调逻辑
  13. connection.openPipeline();
  14. boolean PipelinedClosed = false;
  15. try {
  16. //执行命令
  17. Object result = executeSession(session);
  18. if (result != null) {
  19. throw new InvalidDataAccessApiUsageException(
  20. "Callback cannot return a non-null value as it gets overwritten by the Pipeline");
  21. }
  22. List<Object> closePipeline = connection.closePipeline(); PipelinedClosed = true;
  23. return deserializeMixedResults(closePipeline, resultSerializer, hashKeySerializer, hashValueSerializer);
  24. } finally {
  25. if (!PipelinedClosed) {
  26. connection.closePipeline();
  27. }
  28. }
  29. });
  30. } finally {
  31. RedisConnectionUtils.unbindConnection(factory);
  32. }
  33. }

① 获取对应的Redis连接工厂,这里要使用Pipeline特性需要使用LettuceConnectionFactory方式,这里获取的连接工厂就是LettuceConnectionFactory。

② 绑定连接过程,具体指的是将当前连接绑定到当前线程上面, 核心方法为:doGetConnection。

  1. public static RedisConnection doGetConnection(RedisConnectionFactory factory, boolean allowCreate, boolean bind,
  2. boolean enableTransactionSupport) {
  3. Assert.notNull(factory, "No RedisConnectionFactory specified");
  4. //核心类,有缓存作用,下次可以从这里获取已经存在的连接
  5. RedisConnectionHolder connHolder = (RedisConnectionHolder) TransactionSynchronizationManager.getResource(factory);
  6. //如果connHolder不为null, 则获取已经存在的连接, 提升性能
  7. if (connHolder != null) {
  8. if (enableTransactionSupport) {
  9. potentiallyRegisterTransactionSynchronisation(connHolder, factory);
  10. }
  11. return connHolder.getConnection();
  12. }
  13. ......
  14. //第一次获取连接,需要从Redis连接工厂获取连接
  15. RedisConnection conn = factory.getConnection();
  16. //bind = true 执行绑定
  17. if (bind) {
  18. RedisConnection connectionToBind = conn;
  19. ......
  20. connHolder = new RedisConnectionHolder(connectionToBind);
  21. //绑定核心代码: 将获取的连接和当前线程绑定起来
  22. TransactionSynchronizationManager.bindResource(factory, connHolder);
  23. ......
  24. return connHolder.getConnection();
  25. }
  26. return conn;
  27. }

里面有个核心类RedisConnectionHolder,我们看一下RedisConnectionHolder connHolder = 

(RedisConnectionHolder) TransactionSynchronizationManager.getResource(factory);

  1. @Nullable
  2. public static Object getResource(Object key) {
  3. Object actualKey = TransactionSynchronizationUtils.unwrapResourceIfNecessary(key);
  4. Object value = doGetResource(actualKey);
  5. if (value != null && logger.isTraceEnabled()) {
  6. logger.trace("Retrieved value [" + value + "] for key [" + actualKey + "] bound to thread [" +
  7. Thread.currentThread().getName() + "]");
  8. }
  9. return value;
  10. }

里面有一个核心方法doGetResource(actualKey),大家很容易猜测这里涉及到一个map结构,如果我们看源码,也确实是这样一个结构。

  1. @Nullable
  2. private static Object doGetResource(Object actualKey) {
  3. Map<Object, Object> map = resources.get();
  4. if (map == null) {
  5. return null;
  6. }
  7. Object value = map.get(actualKey);
  8. // Transparently remove ResourceHolder that was marked as void...
  9. if (value instanceof ResourceHolder && ((ResourceHolder) value).isVoid()) {
  10. map.remove(actualKey);
  11. // Remove entire ThreadLocal if empty...
  12. if (map.isEmpty()) {
  13. resources.remove();
  14. }
  15. value = null;
  16. }
  17. return value;
  18. }

resources是一个ThreadLocal类型,这里会涉及到根据RedisConnectionFactory获取到连接connection的逻辑,如果下一次是同一个actualKey,那么就直接使用已经存在的连接,而不需要新建一个连接。第一次这里map为null,就直接返回了,然后回到doGetConnection方法,由于这里bind为true,我们会执行TransactionSynchronizationManager.bindResource(factory, connHolder);,也就是将连接和当前线程绑定了起来。

  1. public static void bindResource(Object key, Object value) throws IllegalStateException {
  2. Object actualKey = TransactionSynchronizationUtils.unwrapResourceIfNecessary(key);
  3. Assert.notNull(value, "Value must not be null");
  4. Map<Object, Object> map = resources.get();
  5. // set ThreadLocal Map if none found
  6. if (map == null) {
  7. map = new HashMap<>();
  8. resources.set(map);
  9. }
  10. Object oldValue = map.put(actualKey, value);
  11. ......
  12. }

③ 我们回到executePipelined,在获取到连接工厂,将连接和当前线程绑定起来以后,就开始需要正式去执行命令了, 这里会调用execute方法

  1. @Override
  2. @Nullable
  3. public <T> T execute(RedisCallback<T> action) {
  4. return execute(action, isExposeConnection());
  5. }

这里我们注意到execute方法的入参为RedisCallback<T>action,RedisCallback对应的doInRedis操作如下,这里在后面的调用过程中会涉及到回调。

  1. connection.openPipeline();
  2. boolean PipelinedClosed = false;
  3. try {
  4. Object result = executeSession(session);
  5. if (result != null) {
  6. throw new InvalidDataAccessApiUsageException(
  7. "Callback cannot return a non-null value as it gets overwritten by the Pipeline");
  8. }
  9. List<Object> closePipeline = connection.closePipeline(); PipelinedClosed = true;
  10. return deserializeMixedResults(closePipeline, resultSerializer, hashKeySerializer, hashValueSerializer);
  11. } finally {
  12. if (!PipelinedClosed) {
  13. connection.closePipeline();
  14. }
  15. }

我们再来看execute(action, isExposeConnection())方法,这里最终会调用<T>execute(RedisCallback<T>action, boolean exposeConnection, boolean Pipeline)方法。

  1. @Nullable
  2. public <T> T execute(RedisCallback<T> action, boolean exposeConnection, boolean Pipeline) {
  3. Assert.isTrue(initialized, "template not initialized; call afterPropertiesSet() before using it");
  4. Assert.notNull(action, "Callback object must not be null");
  5. //获取对应的连接工厂
  6. RedisConnectionFactory factory = getRequiredConnectionFactory();
  7. RedisConnection conn = null;
  8. try {
  9. if (enableTransactionSupport) {
  10. // only bind resources in case of potential transaction synchronization
  11. conn = RedisConnectionUtils.bindConnection(factory, enableTransactionSupport);
  12. } else {
  13. //获取对应的连接(enableTransactionSupport=false)
  14. conn = RedisConnectionUtils.getConnection(factory);
  15. }
  16. boolean existingConnection = TransactionSynchronizationManager.hasResource(factory);
  17. RedisConnection connToUse = preProcessConnection(conn, existingConnection);
  18. boolean PipelineStatus = connToUse.isPipelined();
  19. if (Pipeline && !PipelineStatus) {
  20. connToUse.openPipeline();
  21. }
  22. RedisConnection connToExpose = (exposeConnection ? connToUse : createRedisConnectionProxy(connToUse));
  23. //核心方法,这里就开始执行回调操作
  24. T result = action.doInRedis(connToExpose);
  25. // close Pipeline
  26. if (Pipeline && !PipelineStatus) {
  27. connToUse.closePipeline();
  28. }
  29. // TODO: any other connection processing?
  30. return postProcessResult(result, connToUse, existingConnection);
  31. } finally {
  32. RedisConnectionUtils.releaseConnection(conn, factory, enableTransactionSupport);
  33. }
  34. }

我们看到这里最开始也是获取对应的连接工厂,然后获取对应的连接(enableTransactionSupport=false),具体调用是RedisConnectionUtils.getConnection(factory)方法,最终会调用RedisConnection doGetConnection(RedisConnectionFactory factory, booleanallowCreate, boolean bind, boolean enableTransactionSupport),此时bind为false

  1. public static RedisConnection doGetConnection(RedisConnectionFactory factory, boolean allowCreate, boolean bind,
  2. boolean enableTransactionSupport) {
  3. Assert.notNull(factory, "No RedisConnectionFactory specified");
  4. //直接获取与当前线程绑定的Redis连接
  5. RedisConnectionHolder connHolder = (RedisConnectionHolder) TransactionSynchronizationManager.getResource(factory);
  6. if (connHolder != null) {
  7. if (enableTransactionSupport) {
  8. potentiallyRegisterTransactionSynchronisation(connHolder, factory);
  9. }
  10. return connHolder.getConnection();
  11. }
  12. ......
  13. return conn;
  14. }

前面我们分析过一次,这里调用RedisConnectionHolder connHolder = (RedisConnectionHolder)TransactionSynchronizationManager.getResource(factory);会获取到之前和当前线程绑定的Redis,而不会新创建一个连接。

然后会去执行T result = action.doInRedis(connToExpose),这里的action为RedisCallback,执行doInRedis为:

  1. //开启Pipeline功能
  2. connection.openPipeline();
  3. boolean PipelinedClosed = false;
  4. try {
  5. //执行Redis命令
  6. Object result = executeSession(session);
  7. if (result != null) {
  8. throw new InvalidDataAccessApiUsageException(
  9. "Callback cannot return a non-null value as it gets overwritten by the Pipeline");
  10. }
  11. List<Object> closePipeline = connection.closePipeline(); PipelinedClosed = true;
  12. return deserializeMixedResults(closePipeline, resultSerializer, hashKeySerializer, hashValueSerializer);
  13. } finally {
  14. if (!PipelinedClosed) {
  15. connection.closePipeline();
  16. }
  17. }

这里最开始会开启Pipeline功能,然后执行Object result = executeSession(session);

  1. private Object executeSession(SessionCallback<?> session) {
  2. return session.execute(this);
  3. }

这里会调用我们自定义的execute方法

  1. @AllArgsConstructor
  2. private static class InsertPipelineExecution implements SessionCallback<Void> {
  3. private final List<Integer> userIds;
  4. private final Integer iconId;
  5. @Override
  6. public <K, V> Void execute(RedisOperations<K, V> operations) throws DataAccessException {
  7. SetOperations<String, String> setOperations = (SetOperations<String, String>) operations.opsForSet();
  8. userIds.forEach(userId -> {
  9. String redisKey = "aaa:" + userId;
  10. String value = String.valueOf(iconId);
  11. setOperations.add(redisKey, value);
  12. });
  13. return null;
  14. }
  15. }

进入到foreach循环,执行DefaultSetOperations的add方法。

  1. @Override
  2. public Long add(K key, V... values) {
  3. byte[] rawKey = rawKey(key);
  4. byte[][] rawValues = rawValues((Object[]) values);
  5. //这里的connection.sAdd是后续回调要执行的方法
  6. return execute(connection -> connection.sAdd(rawKey, rawValues), true);
  7. }

这里会继续执行redisTemplate的execute方法,里面最终会调用我们之前分析过的

<T>T execute(RedisCallback<T>action, boolean exposeConnection, boolean Pipeline)方法。

  1. @Nullable
  2. public <T> T execute(RedisCallback<T> action, boolean exposeConnection, boolean Pipeline) {
  3. Assert.isTrue(initialized, "template not initialized; call afterPropertiesSet() before using it");
  4. Assert.notNull(action, "Callback object must not be null");
  5. RedisConnectionFactory factory = getRequiredConnectionFactory();
  6. RedisConnection conn = null;
  7. try {
  8. ......
  9. //再次执行回调方法,这里执行的Redis基本数据结构对应的操作命令
  10. T result = action.doInRedis(connToExpose);
  11. ......
  12. // TODO: any other connection processing?
  13. return postProcessResult(result, connToUse, existingConnection);
  14. } finally {
  15. RedisConnectionUtils.releaseConnection(conn, factory, enableTransactionSupport);
  16. }
  17. }

这里会继续执行T result = action.doInRedis(connToExpose);,这里其实执行的doInRedis方法为:

connection -> connection.sAdd(rawKey, rawValues)

4.4.2 Pipeline方式下执行命令的流程分析:

① 接着上面的流程分析,这里的sAdd方法实际调用的是DefaultStringRedisConnection的sAdd方法

  1. @Override
  2. public Long sAdd(byte[] key, byte[]... values) {
  3. return convertAndReturn(delegate.sAdd(key, values), identityConverter);
  4. }

② 这里会进一步调用DefaultedRedisConnection的sAdd方法

  1. @Override
  2. @Deprecated
  3. default Long sAdd(byte[] key, byte[]... values) {
  4. return setCommands().sAdd(key, values);
  5. }

③ 接着调用LettuceSetCommands的sAdd方法

  1. @Override
  2. public Long sAdd(byte[] key, byte[]... values) {
  3. Assert.notNull(key, "Key must not be null!");
  4. Assert.notNull(values, "Values must not be null!");
  5. Assert.noNullElements(values, "Values must not contain null elements!");
  6. try {
  7. // 如果开启了 Pipelined 模式,获取的是 异步连接,进行异步操作
  8. if (isPipelined()) { Pipeline(connection.newLettuceResult(getAsyncConnection().sadd(key, values)));
  9. return null;
  10. }
  11. if (isQueueing()) {
  12. transaction(connection.newLettuceResult(getAsyncConnection().sadd(key, values)));
  13. return null;
  14. }
  15. //常规模式下,使用的是同步操作
  16. return getConnection().sadd(key, values);
  17. } catch (Exception ex) {
  18. throw convertLettuceAccessException(ex);
  19. }
  20. }

这里我们开启了Pipeline, 实际会调用Pipeline(connection.newLettuceResult(getAsyncConnection().sadd(key, values))); 也就是获取异步连接getAsyncConnection,然后进行异步操作sadd,而常规模式下,使用的是同步操作,所以在Pipeline模式下,执行效率更高。

从上面的获取连接和具体命令执行相关源码分析可以得出使用Lettuce客户端Pipeline模式高效的根本原因:

  1. 普通模式下,每执行一个命令都需要先打开一个连接,命令执行完毕以后又需要关闭这个连接,执行下一个命令时,又需要经过连接打开和关闭的流程;而Pipeline的所有命令的执行只需要经过一次连接打开和关闭。

  2. 普通模式下命令的执行是同步阻塞模式,而Pipeline模式下命令的执行是异步非阻塞模式。

五、项目中遇到的坑

前面介绍了涉及到批量操作,可以使用Redis Pipelining机制,那是不是任何批量操作相关的场景都可以使用呢,比如list类型数据的批量移除操作,我们的代码最开始是这么写的:

  1. public void deleteSet(String updateKey, Set<Integer> userIds) {
  2. if (CollectionUtils.isEmpty(userIds)) {
  3. return;
  4. }
  5. redisTemplate.executePipelined(new DeleteListCallBack(userIds, updateKey));
  6. }
  7. @AllArgsConstructor
  8. private static class DeleteListCallBack implements SessionCallback<Object> {
  9. private Set<Integer> userIds;
  10. private String updateKey;
  11. @Override
  12. public <K, V> Object execute(RedisOperations<K, V> operations) throws DataAccessException {
  13. ListOperations<String, String> listOperations = (ListOperations<String, String>) operations.opsForList();
  14. userIds.forEach(userId -> listOperations.remove(updateKey, 1, userId.toString()));
  15. return null;
  16. }
  17. }

在数据量比较小的时候没有出现问题,直到有一条收到了Redis的内存和cpu利用率的告警消息,我们发现这么使用是有问题的,核心原因在于list的lrem操作的时间复杂度是O(N+M),其中N是list的长度, M是要移除的元素的个数,而我们这里还是一个一个移除的,当然会导致Redis数据积压和cpu每秒ops升高导致cpu利用率飚高。也就是说,即使使用Pipeline进行批量操作,但是由于单次操作很耗时,是会导致整个Redis出现问题的。

后面我们进行了优化,选用了list的ltrim命令,一次命令执行批量remove操作:

  1. public void deleteSet(String updateKey, Set<Integer> deviceIds) {
  2. if (CollectionUtils.isEmpty(deviceIds)) {
  3. return;
  4. }
  5. int maxSize = 10000;
  6. redisTemplate.opsForList().trim(updateKey, maxSize + 1, -1);
  7. }

由于ltrim本身的时间复杂度为O(M), 其中M要移除的元素的个数,相比于原始方案的lrem,效率提升很多,可以不需要使用Redis Pipeline,优化结果使得Redis内存利用率和cpu利用率都极大程度得到缓解。

图片

六、Redisson 对 Redis Pipeline 特性支持

在redisson官方文档中额外特性介绍中有说到批量命令执行这个特性, 也就是多个命令在一次网络调用中集中发送,该特性是RBatch这个类支持的,从这个类的描述来看,主要是为Redis Pipeline这个特性服务的,并且主要是通过队列和异步实现的。

  1. /**
  2. * Interface for using Redis Pipeline feature.
  3. * <p>
  4. * All method invocations on objects got through this interface
  5. * are batched to separate queue and could be executed later
  6. * with <code>execute()</code> or <code>executeAsync()</code> methods.
  7. *
  8. *
  9. * @author Nikita Koksharov
  10. *
  11. */
  12. public interface RBatch {
  13. /**
  14. * Returns stream instance by <code>name</code>
  15. *
  16. * @param <K> type of key
  17. * @param <V> type of value
  18. * @param name of stream
  19. * @return RStream object
  20. */
  21. <K, V> RStreamAsync<K, V> getStream(String name);
  22. /**
  23. * Returns stream instance by <code>name</code>
  24. * using provided <code>codec</code> for entries.
  25. *
  26. * @param <K> type of key
  27. * @param <V> type of value
  28. * @param name - name of stream
  29. * @param codec - codec for entry
  30. * @return RStream object
  31. */
  32. <K, V> RStreamAsync<K, V> getStream(String name, Codec codec);
  33. ......
  34. /**
  35. * Returns list instance by name.
  36. *
  37. * @param <V> type of object
  38. * @param name - name of object
  39. * @return List object
  40. */
  41. <V> RListAsync<V> getList(String name);
  42. <V> RListAsync<V> getList(String name, Codec codec);
  43. ......
  44. /**
  45. * Executes all operations accumulated during async methods invocations.
  46. * <p>
  47. * If cluster configuration used then operations are grouped by slot ids
  48. * and may be executed on different servers. Thus command execution order could be changed
  49. *
  50. * @return List with result object for each command
  51. * @throws RedisException in case of any error
  52. *
  53. */
  54. BatchResult<?> execute() throws RedisException;
  55. /**
  56. * Executes all operations accumulated during async methods invocations asynchronously.
  57. * <p>
  58. * In cluster configurations operations grouped by slot ids
  59. * so may be executed on different servers. Thus command execution order could be changed
  60. *
  61. * @return List with result object for each command
  62. */
  63. RFuture<BatchResult<?>> executeAsync();
  64. /**
  65. * Discard batched commands and release allocated buffers used for parameters encoding.
  66. */
  67. void discard();
  68. /**
  69. * Discard batched commands and release allocated buffers used for parameters encoding.
  70. *
  71. * @return void
  72. */
  73. RFuture<Void> discardAsync();
  74. }

简单的测试代码如下:

  1. @Slf4j
  2. public class RedisPipelineTest {
  3. public static void main(String[] args) {
  4. //Redisson使用Pipeline模式
  5. Config config = new Config();
  6. config.useSingleServer().setAddress("redis://xx.xx.xx.xx:6379");
  7. RedissonClient redisson = Redisson.create(config);
  8. RBatch redisBatch = redisson.createBatch();
  9. int size = 100000;
  10. String zSetKey = "Pipeline-test-set";
  11. long begin = System.currentTimeMillis();
  12. //将命令放入队列中
  13. for (int i = 0; i < size; i++) {
  14. redisBatch.getSet(zSetKey + i).addAsync("ccc");
  15. }
  16. //批量执行命令
  17. redisBatch.execute();
  18. log.info("Redisson Pipeline模式耗时:{}ms", (System.currentTimeMillis() - begin));
  19. //关闭
  20. redisson.shutdown();
  21. }
  22. }

核心方法分析:

1.建Redisson客户端RedissonClient redisson = redisson.create(config), 该方法最终会调用Reddison的构造方法Redisson(Config config)。

  1. protected Redisson(Config config) {
  2. this.config = config;
  3. Config configCopy = new Config(config);
  4. connectionManager = ConfigSupport.createConnectionManager(configCopy);
  5. RedissonObjectBuilder objectBuilder = null;
  6. if (config.isReferenceEnabled()) {
  7. objectBuilder = new RedissonObjectBuilder(this);
  8. }
  9. //新建异步命令执行器
  10. commandExecutor = new CommandSyncService(connectionManager, objectBuilder);
  11. //执行删除超时任务的定时器
  12. evictionScheduler = new EvictionScheduler(commandExecutor);
  13. writeBehindService = new WriteBehindService(commandExecutor);
  14. }

该构造方法中会新建异步命名执行器CommandAsyncExecutor commandExecutor和用户删除超时任务的EvictionScheduler evictionScheduler。

2.创建RBatch实例RBatch redisBatch = redisson.createBatch(), 该方法会使用到步骤1中的commandExecutor和evictionScheduler实例对象。

  1. @Override
  2. public RBatch createBatch(BatchOptions options) {
  3. return new RedissonBatch(evictionScheduler, commandExecutor, options);
  4. }
  5. public RedissonBatch(EvictionScheduler evictionScheduler, CommandAsyncExecutor executor, BatchOptions options) {
  6. this.executorService = new CommandBatchService(executor, options);
  7. this.evictionScheduler = evictionScheduler;
  8. }

其中的options对象会影响后面批量执行命令的流程。

3. 异步给set集合添加元素的操作addAsync,这里会具体调用RedissonSet的addAsync方法

  1. @Override
  2. public RFuture<Boolean> addAsync(V e) {
  3. String name = getRawName(e);
  4. return commandExecutor.writeAsync(name, codec, RedisCommands.SADD_SINGLE, name, encode(e));
  5. }

(1)接着调用CommandAsyncExecutor的异步写入方法writeAsync。

  1. @Override
  2. public <T, R> RFuture<R> writeAsync(String key, Codec codec, RedisCommand<T> command, Object... params) {
  3. RPromise<R> mainPromise = createPromise();
  4. NodeSource source = getNodeSource(key);
  5. async(false, source, codec, command, params, mainPromise, false);
  6. return mainPromise;
  7. }

(2) 接着调用批量命令执行器CommandBatchService的异步发送命令。

  1. @Override
  2. public <V, R> void async(boolean readOnlyMode, NodeSource nodeSource,
  3. Codec codec, RedisCommand<V> command, Object[] params, RPromise<R> mainPromise, boolean ignoreRedirect) {
  4. if (isRedisBasedQueue()) {
  5. boolean isReadOnly = options.getExecutionMode() == ExecutionMode.REDIS_READ_ATOMIC;
  6. RedisExecutor<V, R> executor = new RedisQueuedBatchExecutor<>(isReadOnly, nodeSource, codec, command, params, mainPromise,
  7. false, connectionManager, objectBuilder, commands, connections, options, index, executed, latch, referenceType);
  8. executor.execute();
  9. } else {
  10. //执行分支
  11. RedisExecutor<V, R> executor = new RedisBatchExecutor<>(readOnlyMode, nodeSource, codec, command, params, mainPromise,
  12. false, connectionManager, objectBuilder, commands, options, index, executed, referenceType);
  13. executor.execute();
  14. }
  15. }

(3) 接着调用了RedisBatchExecutor.execute方法和BaseRedisBatchExecutor.addBatchCommandData方法。

  1. @Override
  2. public void execute() {
  3. addBatchCommandData(params);
  4. }
  5. protected final void addBatchCommandData(Object[] batchParams) {
  6. MasterSlaveEntry msEntry = getEntry(source);
  7. Entry entry = commands.get(msEntry);
  8. if (entry == null) {
  9. entry = new Entry();
  10. Entry oldEntry = commands.putIfAbsent(msEntry, entry);
  11. if (oldEntry != null) {
  12. entry = oldEntry;
  13. }
  14. }
  15. if (!readOnlyMode) {
  16. entry.setReadOnlyMode(false);
  17. }
  18. Codec codecToUse = getCodec(codec);
  19. BatchCommandData<V, R> commandData = new BatchCommandData<V, R>(mainPromise, codecToUse, command, batchParams, index.incrementAndGet());
  20. entry.getCommands().add(commandData);
  21. }

这里的commands以主节点为KEY,以待发送命令队列列表为VALUE(Entry),保存一个MAP.然后会把命令都添加到entry的commands命令队列中, Entry结构如下面代码所示。

  1. public static class Entry {
  2. Deque<BatchCommandData<?, ?>> commands = new LinkedBlockingDeque<>();
  3. volatile boolean readOnlyMode = true;
  4. public Deque<BatchCommandData<?, ?>> getCommands() {
  5. return commands;
  6. }
  7. public void setReadOnlyMode(boolean readOnlyMode) {
  8. this.readOnlyMode = readOnlyMode;
  9. }
  10. public boolean isReadOnlyMode() {
  11. return readOnlyMode;
  12. }
  13. public void clearErrors() {
  14. for (BatchCommandData<?, ?> commandEntry : commands) {
  15. commandEntry.clearError();
  16. }
  17. }
  18. }

4. 批量执行命令redisBatch.execute(),这里会最终调用CommandBatchService的executeAsync方法,该方法完整代码如下,我们下面来逐一进行拆解。

  1. public RFuture<BatchResult<?>> executeAsync() {
  2. ......
  3. RPromise<BatchResult<?>> promise = new RedissonPromise<>();
  4. RPromise<Void> voidPromise = new RedissonPromise<Void>();
  5. if (this.options.isSkipResult()
  6. && this.options.getSyncSlaves() == 0) {
  7. ......
  8. } else {
  9. //这里是对异步执行结果进行处理,可以先忽略, 后面会详细讲,先关注批量执行命令的逻辑
  10. voidPromise.onComplete((res, ex) -> {
  11. ......
  12. });
  13. }
  14. AtomicInteger slots = new AtomicInteger(commands.size());
  15. ......
  16. //真正执行的代码入口,批量执行命令
  17. for (Map.Entry<MasterSlaveEntry, Entry> e : commands.entrySet()) {
  18. RedisCommonBatchExecutor executor = new RedisCommonBatchExecutor(new NodeSource(e.getKey()), voidPromise,
  19. connectionManager, this.options, e.getValue(), slots, referenceType);
  20. executor.execute();
  21. }
  22. return promise;
  23. }

里面会用到我们在3.3步骤所生成的commands实例。

(1)接着调用了基类RedisExecutor的execute方法

  1. public void execute() {
  2. ......
  3. connectionFuture.onComplete((connection, e) -> {
  4. if (connectionFuture.isCancelled()) {
  5. connectionManager.getShutdownLatch().release();
  6. return;
  7. }
  8. if (!connectionFuture.isSuccess()) {
  9. connectionManager.getShutdownLatch().release();
  10. exception = convertException(connectionFuture);
  11. return;
  12. }
  13. //调用RedisCommonBatchExecutor的sendCommand方法, 里面会将多个命令放到一个List<CommandData<?, ?>> list列表里面
  14. sendCommand(attemptPromise, connection);
  15. writeFuture.addListener(new ChannelFutureListener() {
  16. @Override
  17. public void operationComplete(ChannelFuture future) throws Exception {
  18. checkWriteFuture(writeFuture, attemptPromise, connection);
  19. }
  20. });
  21. });
  22. ......
  23. }

(2)接着调用RedisCommonBatchExecutor的sendCommand方法,里面会将多个命令放到一个List<commanddata> list列表里面。

  1. @Override
  2. protected void sendCommand(RPromise<Void> attemptPromise, RedisConnection connection) {
  3. boolean isAtomic = options.getExecutionMode() != ExecutionMode.IN_MEMORY;
  4. boolean isQueued = options.getExecutionMode() == ExecutionMode.REDIS_READ_ATOMIC
  5. || options.getExecutionMode() == ExecutionMode.REDIS_WRITE_ATOMIC;
  6. //将多个命令放到一个List<CommandData<?, ?>> list列表里面
  7. List<CommandData<?, ?>> list = new ArrayList<>(entry.getCommands().size());
  8. if (source.getRedirect() == Redirect.ASK) {
  9. RPromise<Void> promise = new RedissonPromise<Void>();
  10. list.add(new CommandData<Void, Void>(promise, StringCodec.INSTANCE, RedisCommands.ASKING, new Object[] {}));
  11. }
  12. for (CommandData<?, ?> c : entry.getCommands()) {
  13. if ((c.getPromise().isCancelled() || c.getPromise().isSuccess())
  14. && !isWaitCommand(c)
  15. && !isAtomic) {
  16. // skip command
  17. continue;
  18. }
  19. list.add(c);
  20. }
  21. ......
  22. //调用RedisConnection的send方法,将命令一次性发到Redis服务器端
  23. writeFuture = connection.send(new CommandsData(attemptPromise, list, options.isSkipResult(), isAtomic, isQueued, options.getSyncSlaves() > 0));
  24. }

(3)接着调用RedisConnection的send方法,通过Netty通信发送命令到Redis服务器端执行,这里也验证了Redisson客户端底层是采用Netty进行通信的。

  1. public ChannelFuture send(CommandsData data) {
  2. return channel.writeAndFlush(data);
  3. }

5. 接收返回结果,这里主要是监听事件是否完成,然后组装返回结果, 核心方法是步骤4提到的CommandBatchService的executeAsync方法,里面会对返回结果进行监听和处理, 核心代码如下:

  1. public RFuture<BatchResult<?>> executeAsync() {
  2. ......
  3. RPromise<BatchResult<?>> promise = new RedissonPromise<>();
  4. RPromise<Void> voidPromise = new RedissonPromise<Void>();
  5. if (this.options.isSkipResult()
  6. && this.options.getSyncSlaves() == 0) {
  7. ......
  8. } else {
  9. voidPromise.onComplete((res, ex) -> {
  10. //对返回结果的处理
  11. executed.set(true);
  12. ......
  13. List<Object> responses = new ArrayList<Object>(entries.size());
  14. int syncedSlaves = 0;
  15. for (BatchCommandData<?, ?> commandEntry : entries) {
  16. if (isWaitCommand(commandEntry)) {
  17. syncedSlaves = (Integer) commandEntry.getPromise().getNow();
  18. } else if (!commandEntry.getCommand().getName().equals(RedisCommands.MULTI.getName())
  19. && !commandEntry.getCommand().getName().equals(RedisCommands.EXEC.getName())
  20. && !this.options.isSkipResult()) {
  21. ......
  22. //获取单个命令的执行结果
  23. Object entryResult = commandEntry.getPromise().getNow();
  24. ......
  25. //将单个命令执行结果放到List中
  26. responses.add(entryResult);
  27. }
  28. }
  29. BatchResult<Object> result = new BatchResult<Object>(responses, syncedSlaves);
  30. promise.trySuccess(result);
  31. ......
  32. });
  33. }
  34. ......
  35. return promise;
  36. }

这里会把单个命令的执行结果放到responses里面,最终返回RPromise<batchresult>promise。

从上面的分析来看,Redisson客户端对Redis Pipeline的支持也是从多个命令在一次网络通信中执行和异步处理来实现的。

七、总结

Redis提供了Pipelining进行批量操作的高级特性,极大地提高了部分数据类型没有批量执行命令导致的执行耗时而引起的性能问题,但是我们在使用的过程中需要考虑Pipeline操作中单个命令执行的耗时问题,否则带来的效果可能适得其反。最后扩展分析了Redisson客户端对Redis Pipeline特性的支持原理,可以与Lettuce客户端对Redis Pipeline支持原理进行比较,加深Pipeline在不同Redis客户端实现方式的理解。

参考资料:

声明:本文内容由网友自发贡献,转载请注明出处:【wpsshop博客】
推荐阅读
相关标签
  

闽ICP备14008679号