Springboot中RedisTemplate使用scan代替keys

Springboot中RedisTemplate使用scan代替keys

keys * 这个命令千万别在生产环境乱用。

特别是数据庞大的情况下。因为Keys会引发Redis锁,并且增加Redis的CPU占用。很多公司的运维都是禁止了这个命令的

当需要扫描key,匹配出自己需要的key时,可以使用 scan 命令

import java.io.IOException;
import java.nio.charset.StandardCharsets;
import java.util.ArrayList;
import java.util.List;
import java.util.function.Consumer;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.redis.connection.RedisConnection;
import org.springframework.data.redis.core.Cursor;
import org.springframework.data.redis.core.ScanOptions;
import org.springframework.data.redis.core.StringRedisTemplate;
import org.springframework.stereotype.Component;

@Component
public class RedisHelper {
    
    @Autowired
    private StringRedisTemplate stringRedisTemplate;
    
    /**
     * scan 实现
     * @param pattern   表达式
     * @param consumer  对迭代到的key进行操作
     */
    public void scan(String pattern, Consumer consumer) {
        this.stringRedisTemplate.execute((RedisConnection connection) -> {
            try (Cursor cursor = connection.scan(ScanOptions.scanOptions().count(Long.MAX_VALUE).match(pattern).build())) {
                cursor.forEachRemaining(consumer);
                return null;
            } catch (IOException e) {
                e.printStackTrace();
                throw new RuntimeException(e);
            }
        });
    }

    /**
     * 获取符合条件的key
     * @param pattern   表达式
     * @return
     */
    public List keys(String pattern) {
        List keys = new ArrayList<>();
        this.scan(pattern, item -> {
            //符合条件的key
            String key = new String(item,StandardCharsets.UTF_8);
            keys.add(key);
        });
        return keys;
    }
}


  • https://segmentfault.com/a/1190000004454805
  • https://javaweb.io/post/175
  • https://www.jianshu.com/p/d9f0a547bd0e
  • https://www.liangzl.com/get-article-detail-12938.html
  • https://www.cnblogs.com/shamo89/p/8732398.html
  • 亲测有效 https://springboot.io/t/topic/36

你可能感兴趣的:(Springboot中RedisTemplate使用scan代替keys)