redisTemplate使用SessionCallback实现事务的注意事项

浏览:1161 发布日期:2023-12-02 22:12:30

redisTemplate使用SessionCallback实现事务的注意事项

  1. 先说结论:

Redis事务不支持回滚操作。 如果在执行事务期间,键被其他客户端修改,那么事务将被取消。 Redis事务不支持嵌套事务。 Redis事务中的命令不能使用事务外的数据。 Redis事务中的命令不支持乐观锁。

今天重写一个方法,使用SessionCallback实现事务,结果productParentCache实现中的RedisTemplate一直无法获取任何redis键。

下面的代码是一个事务:

template.execute(new SessionCallback<>()
        {
            public Object execute(RedisOperations operations) throws DataAccessException
            {
                try
                {
                        operations.multi();
            int[] ids = items.stream().mapToInt(Item::getProduct_id).toArray();
                Map<Integer, Integer> parentIdMap = productParentCache.getParentMap(ids);
                    items.forEach(item -> {
                        String key = getKey(order.getSource_id(), item.getProduct_id());
                        BigDecimal v = (BigDecimal) operations.opsForValue().get(key);
                        v = v.add(item.getUnit_quantity()).setScale(2, RoundingMode.HALF_UP);
                        operations.opsForValue().set(key, v);
                    });
                    operations.exec();
                }
                catch (Exception e)
                {
                    throw e;
                } finally
                {
                    //template.delete(lockKey);
                }

                return true;
            }
        });

其中:

Map<Integer, Integer> parentIdMap = productParentCache.getParentMap(ids);

它里面有一个RedisTemplate从redis中读取数据,这是不行的,属于嵌套了,在SessionCallback中不能执行其他命令,执行其他命令是查不到任何数据的。

对于这种情况,我们可以把里面的提出了,因为它并不是写入性质的,只是读取。

int[] ids = items.stream()
                .mapToInt(Item::getProduct_id)
                .toArray();
        Map<Integer, Integer> parentIdMap = productParentCache.getParentMap(ids);

        template.execute(new SessionCallback<>()
        {
            public Object execute(RedisOperations operations) throws DataAccessException
            {
                try
                {
                    operations.multi();
                    items.forEach(item -> {
                        String key = getKey(order.getSource_id(), item.getProduct_id());
                        BigDecimal v = (BigDecimal) operations.opsForValue().get(key);
                        v = v.add(item.getUnit_quantity()).setScale(2, RoundingMode.HALF_UP);
                        operations.opsForValue().set(key, v);
                    });
                    operations.exec();
                }
                catch (Exception e)
                {
                    throw e;
                } finally
                {
                    //template.delete(lockKey);
                }

                return true;
            }
        });