Springboot 中RedisTemplate使用scan来获取所有的key底层做了哪些事情

直接上代码,围绕着代码来讨论

redisTemplate.execute((RedisCallback<Object>) (connection) -> {Cursor<byte[]> scan = connection.scan(ScanOptions.scanOptions().count(2).match("*").build());scan.forEachRemaining((bytes) -> {System.out.println(new String(bytes));});//while (scan.hasNext()) {//    System.out.println(new String(scan.next()));//}return null;
});

通过上述代码我们可以看到,可以通过迭代器来获取到redis中单库中所有的key,但这样底层是怎么做的呢?我们现在假定有两种方案去实现这种方案。

① redis 客户端(jedis、lettuce)scan执行之后返回了所有的数据,迭代器next()每次都从数据集中取出一条消费。但这样有个疑点 => ScanOptions.scanOptions().count(2).match("*").build() 我们知道count(2)代表着每次只向redis中请求2条返回数据呀。如果全部返回也不符合scan命令的设计!

② 每次迭代next()都要判断是否数据集中还有数据,没有的话去redis中通过游标取下次一的数据集(2条)。然后将获取到数据集迭代器替换到游标中,上一个数据集回收(防止内存过大),使迭代器可以正常流转。

在这里插入图片描述
那上面两条都是我自己的猜测,可能两条都不对,也有可能两条对一条,具体我们还是要看源码怎么做的。

分析源码

Cursor<byte[]> scan = connection.scan(ScanOptions.scanOptions().count(2).match("*").build()); 这段代码返回了一个Cursor 游标,我们看看他的具体实现是这个类:org.springframework.data.redis.core.ScanCursor
这个类实现了Cursor,实现了迭代器的所有方法。

当我们执行forEachRemaining或者hasNext()的时候都会去判断

@Override
public boolean hasNext() {assertCursorIsOpen();// delegate可以理解为数据集的迭代器,是一个list类型,从redis获取到的数据集会放到这个list中while (!delegate.hasNext() && !CursorState.FINISHED.equals(state)) {// 可以看到如果说数据集读取完了,会继续去往redis中取下一组scan(cursorId);}if (delegate.hasNext()) {return true;}return cursorId > 0;
}

scan 方法

private void scan(long cursorId) {// 去请求redis获取下一组keyScanIteration<T> result = doScan(cursorId, this.scanOptions);// 将数据集processScanResult(result);
}

processScanResult 方法

private void processScanResult(ScanIteration<T> result) {// redis 中的游标cursorId = result.getCursorId();if (isFinished(cursorId)) {state = CursorState.FINISHED;}if (!CollectionUtils.isEmpty(result.getItems())) {// 替换迭代器 *** 重要代码delegate = result.iterator();} else {resetDelegate();}
}

在这里插入图片描述
可以看到forEachRemaining其实也要去先判断数据集中有值。

自此我们验证了上述的两条推断中第二条是争取的,每次迭代器流转的时候都会去判断是否还有数据,没有的话就会从redis取到新的数据集,然后把数据集的迭代器替换到游标中,从而实现了redis单库取出所有的key。spring-data-redis中实现的很优雅,很巧妙,我们也可以学习这种设计模式来批量获取远程分页数据等。最后我们来看下ScanCursor的整体代码:

/** Copyright 2014-2022 the original author or authors.** Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at**      https://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.*/
package org.springframework.data.redis.core;import java.util.Collections;
import java.util.Iterator;
import java.util.NoSuchElementException;import org.springframework.dao.InvalidDataAccessApiUsageException;
import org.springframework.lang.Nullable;
import org.springframework.util.Assert;
import org.springframework.util.CollectionUtils;/*** Redis client agnostic {@link Cursor} implementation continuously loading additional results from Redis server until* reaching its starting point {@code zero}. <br />* <strong>Note:</strong> Please note that the {@link ScanCursor} has to be initialized ({@link #open()} prior to usage.** @author Christoph Strobl* @author Thomas Darimont* @author Duobiao Ou* @author Marl Paluch* @param <T>* @since 1.4*/
public abstract class ScanCursor<T> implements Cursor<T> {private CursorState state; // 游标状态private long cursorId; // 游标当前位置private Iterator<T> delegate; // 从redis获取到的结果集的迭代器,只要实现过Iterator的类都可以被代理private final ScanOptions scanOptions; // 配置信息private long position; // 位置/*** Crates new {@link ScanCursor} with {@code id=0} and {@link ScanOptions#NONE}*/public ScanCursor() {this(ScanOptions.NONE);}/*** Crates new {@link ScanCursor} with {@code id=0}.** @param options the scan options to apply.*/public ScanCursor(ScanOptions options) {this(0, options);}/*** Crates new {@link ScanCursor} with {@link ScanOptions#NONE}** @param cursorId the cursor Id.*/public ScanCursor(long cursorId) {this(cursorId, ScanOptions.NONE);}/*** Crates new {@link ScanCursor}** @param cursorId the cursor Id.* @param options Defaulted to {@link ScanOptions#NONE} if {@code null}.*/public ScanCursor(long cursorId, @Nullable ScanOptions options) {this.scanOptions = options != null ? options : ScanOptions.NONE;this.cursorId = cursorId;this.state = CursorState.READY;this.delegate = Collections.emptyIterator();}private void scan(long cursorId) {ScanIteration<T> result = doScan(cursorId, this.scanOptions);processScanResult(result);}/*** Performs the actual scan command using the native client implementation. The given {@literal options} are never* {@code null}.** @param cursorId* @param options* @return*/protected abstract ScanIteration<T> doScan(long cursorId, ScanOptions options);/*** Initialize the {@link Cursor} prior to usage.*/public final ScanCursor<T> open() {if (!isReady()) {throw new InvalidDataAccessApiUsageException("Cursor already " + state + ". Cannot (re)open it.");}state = CursorState.OPEN;doOpen(cursorId);return this;}/*** Customization hook when calling {@link #open()}.** @param cursorId*/protected void doOpen(long cursorId) {scan(cursorId);}private void processScanResult(ScanIteration<T> result) {cursorId = result.getCursorId();if (isFinished(cursorId)) {state = CursorState.FINISHED;}if (!CollectionUtils.isEmpty(result.getItems())) {delegate = result.iterator();} else {resetDelegate();}}/*** Check whether {@code cursorId} is finished.** @param cursorId the cursor Id* @return {@literal true} if the cursor is considered finished, {@literal false} otherwise.s* @since 2.1*/protected boolean isFinished(long cursorId) {return cursorId == 0;}private void resetDelegate() {delegate = Collections.emptyIterator();}/** (non-Javadoc)* @see org.springframework.data.redis.core.Cursor#getCursorId()*/@Overridepublic long getCursorId() {return cursorId;}/** (non-Javadoc)* @see java.util.Iterator#hasNext()*/@Overridepublic boolean hasNext() {assertCursorIsOpen();while (!delegate.hasNext() && !CursorState.FINISHED.equals(state)) {scan(cursorId);}if (delegate.hasNext()) {return true;}return cursorId > 0;}private void assertCursorIsOpen() {if (isReady() || isClosed()) {throw new InvalidDataAccessApiUsageException("Cannot access closed cursor. Did you forget to call open()?");}}/** (non-Javadoc)* @see java.util.Iterator#next()*/@Overridepublic T next() {assertCursorIsOpen();if (!hasNext()) {throw new NoSuchElementException("No more elements available for cursor " + cursorId + ".");}T next = moveNext(delegate);position++;return next;}/*** Fetch the next item from the underlying {@link Iterable}.** @param source* @return*/protected T moveNext(Iterator<T> source) {return source.next();}/** (non-Javadoc)* @see java.util.Iterator#remove()*/@Overridepublic void remove() {throw new UnsupportedOperationException("Remove is not supported");}/** (non-Javadoc)* @see java.io.Closeable#close()*/@Overridepublic final void close() {try {doClose();} finally {state = CursorState.CLOSED;}}/*** Customization hook for cleaning up resources on when calling {@link #close()}.*/protected void doClose() {}/** (non-Javadoc)* @see org.springframework.data.redis.core.Cursor#isClosed()*/@Overridepublic boolean isClosed() {return state == CursorState.CLOSED;}protected final boolean isReady() {return state == CursorState.READY;}protected final boolean isOpen() {return state == CursorState.OPEN;}/** (non-Javadoc)* @see org.springframework.data.redis.core.Cursor#getPosition()*/@Overridepublic long getPosition() {return position;}/*** @author Thomas Darimont*/enum CursorState {READY, OPEN, FINISHED, CLOSED;}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/650896.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

通信原理(2)--随机过程

通信原理(2)–随机过程 3.1随机过程的基本概念 随机过程{x(t)}由一族时间函数 x i ( t ) x_i(t) xi​(t)&#xff0c;i1,2.3…组成&#xff0c;每一个时间函数 x i ( t ) x_i(t) xi​(t)称为随机过程{x(t)}的一个样本函数&#xff08;一个实现&#xff09; 每个样本函数在时间…

Java设计模式 _结构型模式_适配器模式

一、适配器模式 **1、适配器模式&#xff08;Adapter Pattern&#xff09;**是一种结构型设计模式。适配器类用来作为两个不兼容的接口之间的桥梁&#xff0c;使得原本不兼容而不能一起工作的那些类可以一起工作。譬如&#xff1a;读卡器就是内存卡和笔记本之间的适配器。您将…

C语言笔试题之找出数组的最大公约数

找出数组的最大公约数 实例要求 1、给定一个整数数组 &#xff0c;返回数组中最大数和最小数的最大公约数&#xff1b;2、两个数的最大公约数是能够被两个数整除的最大正整数&#xff1b;示例&#xff1a; 实例分析 1、要找到数组中最大数和最小数的最大公约数&#xff1b…

【后端】python与django的开发环境搭建指南

安装Git 双击Git 客户端安装文件&#xff0c;在安装页面&#xff0c;单击“Next” 在安装路径选择页面&#xff0c;保持默认&#xff0c;单击“Next” 在功能组件选择页面&#xff0c;保持默认&#xff0c;单击“Next” 在开始菜单文件夹设置页面&#xff0c;保持默认&am…

阿斯达年代记游戏下载教程 阿斯达年代记下载教程

《阿斯达年代记&#xff1a;三强争霸》作为一款气势恢宏的MMORPG大作&#xff0c;是Netmarble与STUDIO DRAGON强强联合的巅峰创作&#xff0c;定于4月24日迎来全球玩家热切期待的公测。游戏剧情围绕阿斯达大陆的王权争夺战展开&#xff0c;三大派系——阿斯达联邦、亚高联盟及边…

无人机反制:高功率微波反无人机系统技术详解

随着无人机技术的快速发展&#xff0c;无人机在民用和军用领域的应用越来越广泛。然而&#xff0c;无人机滥用、非法入侵和恶意攻击等问题也日益凸显&#xff0c;对国家安全、公共安全和个人隐私造成了严重威胁。因此&#xff0c;研发高效、快速、安全的无人机防御系统成为当前…

【如此简单!数据库入门系列】之ER模型快速入门

文章目录 模式设计基本概念实体&#xff08;Entity&#xff09;属性&#xff08;Attributes&#xff09;实体集和键&#xff08;key&#xff09;关系&#xff08;Relationship&#xff09; ER图实体和属性关系 泛化与特化总结更多例子 模式设计 大家还记得什么是物理模式、概念…

Git--基础学习--面向企业--持续更新

一、基础学习 1.1基本命令 //查询基础信息 git config --global --list //选取合适位置创建 mkdir 文件名 //创建文件夹 //全局配置 git config --global user.email "****e***i" git config --global user.name "*** K****"//--------------------进入…

网传Llama 3比肩GPT-4?别闹了

相信大家近期都被Llama 3刷屏了。Llama 3的预训练数据达到了15万亿&#xff0c;是Llama 2的7倍&#xff1b;微调数据用了100万条人工标注数据&#xff0c;是Llama 2的10倍。 足以看出Meta训练Llama 3 是下了大血本的。开源社区拥抱Llama3也是空前热烈&#xff0c;发布才4天Hug…

Kafka 消费者应用解析

目录 1、Kafka 消费方式 2、Kafka 消费者工作流程 2.1、消费者工作流程 2.2、消费组者说明 1、消费者组 2、消费者组初始化流程 3、消费者 API 3.1、独立消费者-订阅主题 3.2、独立消费者-订阅分区 3.3、消费组 4、分区的分配策略以及再平衡 4.1、Range 策略 1、R…

win11 修改hosts提示无权限

win11下hosts的文件路径 C:\Windows\System32\drivers\etc>hosts修改文件后提示无权限。 我做了好几个尝试&#xff0c;都没个啥用~比如&#xff1a;右键 管理员身份运行&#xff0c;在其他版本的windows上可行&#xff0c;但是win11不行&#xff0c;我用的是微软账号登录的…

为什么单片机控制电机需要加电机驱动

通常很多地方只是单纯的单片机MCU没有对电机的驱动能力&#xff0c;或者是介绍关于电机驱动的作用&#xff0c;如&#xff1a; 提高电机的效率和精度。驱动器采用先进的电子技术和控制算法&#xff0c;能够精准控制电机的参数和运行状态&#xff0c;提高了电机的效率和精度。拓…