SpringBoot 使用redis

目录

一、pom.xml

二、application.properties

三、编写一个配置类用于解决乱码问题和对象真实的类型问题

四、代码案例

4.1 model 准备 因为有可能存对象

4.2 使用redis 操作string

4.3 使用redis 操作list

4.4  使用redis 操作hash

4.5  使用redis 操作set

4.6  使用redis 操作zset

4.7  Redis 操作BitMap

一、pom.xml

 <dependencies><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-redis</artifactId></dependency><dependency><groupId>org.apache.commons</groupId><artifactId>commons-pool2</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency></dependencies>

二、application.properties

# Redis服务器地址
spring.redis.host=192.168.11.84
# Redis服务器连接端口
spring.redis.port=6379
# Redis服务器连接密码(默认为空)
spring.redis.password=
# Redis数据库索引(默认为0) 共15个
spirng.redis.database=0
## 连接超时时间(毫秒)
spring.redis.timout=30000
# 连接池最大连接数(使用负值表示没有限制) 默认 8
spring.redis.lettuce.pool.max-active=8
# 连接池中的最大空闲连接 默认 8
spring.redis.lettuce.pool.max-idle=8
# 连接池中的最小空闲连接 默认 0
spring.redis.lettuce.pool.min-idle=1
#连接池中最大空闲等待时间,3s没有活干的时候直接驱逐该链接
spring.redis.lettuce.pool.min-evicate-idle-time-millis=3000
# 连接池最大阻塞等待时间(使用负值表示没有限制) 默认 -1
spring.redis.lettuce.pool.max-wait=-1

三、编写一个配置类用于解决乱码问题和对象真实的类型问题


package com.by.config;import com.fasterxml.jackson.databind.ObjectMapper;
import org.springframework.boot.autoconfigure.condition.ConditionalOnMissingBean;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.data.redis.connection.RedisConnectionFactory;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.data.redis.serializer.Jackson2JsonRedisSerializer;
import org.springframework.data.redis.serializer.StringRedisSerializer;import java.net.UnknownHostException;@Configuration
public class RedisConfig {@Bean@ConditionalOnMissingBean(name = "redisTemplate")public RedisTemplate<Object, Object> redisTemplate(RedisConnectionFactory redisConnectionFactory)throws UnknownHostException {RedisTemplate<Object, Object> template = new RedisTemplate<>();template.setConnectionFactory(redisConnectionFactory);// key序列化方式template.setKeySerializer(StringRedisSerializer.UTF_8);//Jackson2JsonRedisSerializer 序列化方式 来代替自来的jdk序列化方式,因为后者会乱码Jackson2JsonRedisSerializer jack = new Jackson2JsonRedisSerializer(Object.class);template.setValueSerializer(jack);template.setHashKeySerializer(StringRedisSerializer.UTF_8);template.setHashValueSerializer(jack);/*** 使用objeck设置对象的类型为真实的对象类型 而不是hsash*/ObjectMapper mapper=new ObjectMapper();// 启用默认类型推理,将类型信息作为属性写入JSON// 就是把对象的全类名写入jsonmapper.activateDefaultTyping(mapper.getPolymorphicTypeValidator(), ObjectMapper.DefaultTyping.NON_FINAL);// 将类型的信息作为属性传给jsonjack.setObjectMapper(mapper);return template;}
}

四、代码案例

4.1 model 准备 因为有可能存对象

Student.java

@Data
@AllArgsConstructor
@NoArgsConstructor
@Builder
public class Student implements Serializable {private Integer id;private String name;
}

Product.java

@Data
@AllArgsConstructor
@NoArgsConstructor
@Builder
public class Product implements Serializable {private Integer id;private String name;
}

4.2 使用redis 操作string


@Slf4j
@SpringBootTest
class StringTest {/*** 使用redis 操作string*/@Autowiredprivate StringRedisTemplate str;// 自动序列化,用 @Autowired报错@Resource(name ="redisTemplate")private RedisTemplate<String,Student> redisTemplate;private  final  String key ="zhouxingxing";/*** 将对象序列化 不用手动将对象转成字符串*/@Testvoid m8() {// jdk 序列化Student student = Student.builder().id(1).name("张三").build();
//        JdkSerializationRedisSerializer serializer =new JdkSerializationRedisSerializer();
//        byte[] serialize = serializer.serialize(student);
//        String s=new String(serialize);// s乱码redisTemplate.opsForValue().set("student", student);Student student1 =  redisTemplate.opsForValue().get("student");System.out.println(student1.getName());}/*** string里的get set 方法*/@Testvoid m1() {str.opsForValue().set("xiaolong", "帅呆了");String xiaolong = str.opsForValue().get("xiaolong");log.info("xiaolong:{}", xiaolong);}/*** string里的strlen 方法* append 方法:追加字符串*/@Testvoid m2() {str.opsForValue().set("xiaolong", "帅呆了");String xiaolong = str.opsForValue().get("xiaolong");log.info("xiaolong:{}", xiaolong);// 追加字符串str.opsForValue().append("xiaolong", "哈哈");// 获取长度Long size = str.opsForValue().size("xiaolong");log.info("长度为:{}", size);//15}/*** string里的incr 方法* incrBy 方法:增加指定值*/@Testvoid m3() {str.opsForValue().set("xiaolong", "100");Long xiaolong = str.opsForValue().decrement("xiaolong", 2);log.info("xiaolong:{}", xiaolong); //98}/*** 将student 对象存到redis 里* JSONUtil.toJsonStr(对象)--->将对象转成序列化的json字符串*/@Testvoid m4() {Student student = Student.builder().id(1).name("张三").build();str.opsForValue().set("student", JSONUtil.toJsonStr(student));log.info("student:{}", str.opsForValue().get("student"));//student:{"id":1,"name":"张三"}}@Testpublic void m7() {str.opsForHash().put(key,"20220325","郑州");str.opsForHash().put(key,"20220326","洛阳");// 拿到所有小key的值List<Object> values = str.opsForHash().values(key);for (Object value : values) {System.out.println(value);}}

4.3 使用redis 操作list


@SpringBootTest
@Slf4j
public class ListTest {@Autowiredprivate StringRedisTemplate redisTemplate;private final String key = "xiaolong";/*** 给list左推元素和又推元素* 从右方删除元素并返回删除的元素*/@Testvoid m1() {redisTemplate.opsForList().leftPush(key, "g1");redisTemplate.opsForList().leftPush(key, "g2");redisTemplate.opsForList().leftPush(key, "g3");redisTemplate.opsForList().rightPush(key, "g4");//顺序为 g3 g2 g1 g4// 从右边删除元素 并返回删除的元素String s = redisTemplate.opsForList().rightPop(key);log.info("删除元素为:{}", s);// g4}@Testpublic void m2() {List<Object> obj = redisTemplate.executePipelined((RedisCallback<Object>) connection -> {//队列没有元素会阻塞操作,直到队列获取新的元素或超时return connection.bLPop(600, "list1".getBytes());}, new StringRedisSerializer());for (Object str : obj) {System.out.println(str);}}

4.4  使用redis 操作hash

@Slf4j
@SpringBootTest
public class HashTest {@Autowiredprivate StringRedisTemplate redisTemplate;// 自动序列化@Resource(name ="redisTemplate")private RedisTemplate<String, Student> redisTemplate1;// 设置大keyprivate final String key = "xiaolong";@Testvoid m10() {Student student = Student.builder().id(1).name("张三").build();redisTemplate1.opsForHash().put(key, "g1", student);Object o = redisTemplate1.opsForHash().get(key, "g1");}// 设置商品黑名单@Testpublic void m9() {Product p1 = Product.builder().id(1).name("华为").build();Product p2 = Product.builder().id(2).name("小米").build();redisTemplate1.opsForHash().put("黑名单","名单列表1",p1);redisTemplate1.opsForHash().put("黑名单","名单列表2",p2);}/*** 获取大key里所有小key的值*/@Testpublic void m1() {redisTemplate.opsForHash().put(key, "g1", "小芳");redisTemplate.opsForHash().put(key, "g2", "小红");// 拿到所有小key的值List<Object> values = redisTemplate.opsForHash().values(key);for (Object value : values) {log.info("所有小key的值为:"+value);}}

4.5  使用redis 操作set


@SpringBootTest
@Slf4j
public class SetTest {@Autowiredprivate StringRedisTemplate redisTemplate;private final String xiaoming = "xiaoming";private final String xiaohong = "xiaohong";@Test// 交集void m1(){// 添加小明同学感兴趣的学科redisTemplate.opsForSet().add(xiaoming, "语文", "数学","物理");// 添加小红同学感兴趣的学科redisTemplate.opsForSet().add(xiaohong, "语文", "英语");// 获取两位同学共同感兴趣的学科Set<String> tong = redisTemplate.opsForSet().intersect(xiaohong, xiaoming);for (String s : tong) {log.info("小明和小红共同感兴趣的学科为:"+s);// 语文}}@Test//并集void m2(){// 添加小明同学感兴趣的学科redisTemplate.opsForSet().add(xiaoming, "语文", "数学","物理");// 添加小红同学感兴趣的学科redisTemplate.opsForSet().add(xiaohong, "语文", "英语");// 获取两位同学共同感兴趣的学科Set<String> tong = redisTemplate.opsForSet().union(xiaohong, xiaoming);for (String s : tong) {log.info("小明和小红共同感兴趣的学科为:"+s);// 语文}}

4.6  使用redis 操作zset


@SpringBootTest
@Slf4j
public class ZsetTest {@Autowiredprivate StringRedisTemplate redisTemplate;@Resource(name = "redisTemplate")private RedisTemplate<String, Integer> redisTemplate1;private String key = "xiaolong";/*** zset有序集合唯一 去重 适用于今日头条和热搜* 给xiaolong 添加三门得成绩*/@Testpublic void m1() {redisTemplate.opsForZSet().add(key, "语文", 90);redisTemplate.opsForZSet().add(key, "数学", 100);redisTemplate.opsForZSet().add(key, "英语", 80);Long aLong = redisTemplate.opsForZSet().zCard(key);log.info("{科目数量为:}", aLong);// 获取xiaolong的最高分 spring 没有给我们封装redisTemplate.execute(new RedisCallback<Object>() {@Overridepublic Object doInRedis(RedisConnection connection) throws DataAccessException {return connection.bLPop(5, key.getBytes());}});}

4.7  Redis 操作BitMap

@Component
public class BitMapDemo {@Autowiredprivate StringRedisTemplate stringRedisTemplate;private final  String key ="sign#2022#zhouxingxing";public void test(){//设置签到stringRedisTemplate.opsForValue().setBit(key,2,true);stringRedisTemplate.opsForValue().setBit(key,85,true);//获取周星星同学的签到天数RedisCallback<Long> callback = connection -> { return  connection.bitCount(key.getBytes(),0,365);};Long count = stringRedisTemplate.execute(callback);//打印周星星2022年签到天数System.out.println("周星星2022年一共签到天数:"+count);}
}

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

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

相关文章

BeautifulSoup数据抓取优化

优化 BeautifulSoup 数据抓取可以帮助提高数据抓取的效率和性能&#xff0c;优化的数据抓取方式更加友好&#xff0c;减少了对目标网站的访问压力&#xff0c;降低了被封禁或限制访问的风险。那边在日常中会遇到一些复杂的问题&#xff0c;如何解决&#xff1f;看看下面的几种解…

React项目如何捕获错误

React项目如何捕获错误 1. 错误捕获的基本方法1.1 组件级别的错误处理1.2 使用错误处理库1.3 React的错误边界&#xff08;Error Boundaries&#xff09; 2. 错误边界的限制 在构建React应用程序时&#xff0c;错误处理是一个不可忽视的重要方面。有效地捕获和处理错误不仅可以…

【C++】详解vector二维数组的全部操作(超细图例解析!!!)

目录 一、前言 二、 深度理解vector 的二维数组&#xff08;重点&#xff01;&#xff09; 三、vector 二维数组的空间理解&#xff08;重点&#xff01;&#xff09; ✨问题分析 ✨如何合理定制vector的内存空间 四、vector 二维数组的初始化 五、vector 二维数组的 添加…

性能优化 - 你能说一说,为什么做了骨架屏,FCP的指标还是没有提升吗

难度级别:中高级及以上 提问概率:80% FCP的全程是First Contentful Paint,是衡量网页性能的一个重要指标,很多人把FCP理解为元素内容首次渲染到浏览器上的时间。但由于现在比较流行的Vue或是React项目中,HTML文档最初只有一个id为app的DIV…

自建ceph存储集群方案之从零到一

概述 根据硬件摩尔定律&#xff0c;硬件成本随时间越来越低&#xff0c;性能较之前越来越高&#xff0c;尤其是随着pcie全闪灯普及&#xff0c;理论上作为云服务的基础设施&#xff0c;存储应该越来越便宜。然而&#xff0c;购置商用sds产品的成本却一直居高不下&#xff0c;越…

在unbuntu服务器上使用nginx+uwsgi部署django项目

一、配置nginx 1. 安装nginx apt-get install nginx2. 编写nginx配置文件 进入nginx.conf文件路径&#xff1a;/etc/nginx/nginx.conf 编写以下内容&#xff1a; events {worker_connections 1024; # 工作进程的最大连接数量 }http{include mime.types;# 日志格式及保存路径…

(译) 理解 Elixir 中的宏 Macro, 第五部分:组装 AST

Elixir Macros 系列文章译文 [1] (译) Understanding Elixir Macros, Part 1 Basics[2] (译) Understanding Elixir Macros, Part 2 - Macro Theory[3] (译) Understanding Elixir Macros, Part 3 - Getting into the AST[4] (译) Understanding Elixir Macros, Part 4 - Divin…

【Labview】虚拟仪器技术

一、背景知识 1.1 虚拟仪器的定义、组成和应用 虚拟仪器的特点 虚拟仪器的突出特征为“硬件功能软件化”&#xff0c;虚拟仪器是在计算机上显示仪器面板&#xff0c;将硬件电路完成信号调理和处理功能由计算机程序完成。 虚拟仪器的组成 硬件软件 硬件是基础&#xff0c;负责将…

数字化转型回归底层逻辑

2024年第一季度已然过去&#xff0c;对于我们每个人而言&#xff0c;这都是一次严峻的挑战。2015年&#xff0c;蚓链数字化营销系统踏上研发之路。让我们回顾数字技术对企业的影响阶段&#xff1a;2012-2015 年&#xff0c;互联网在消费端产生巨大影响&#xff0c;引发了虚拟经…

清空nginx缓存并强制刷新

当对nginx的文件进行修改或更新时&#xff0c;可能会出现旧文件被缓存而无法立即生效的问题&#xff0c;此时需要清空nginx的文件缓存并强制刷新。可以通过以下步骤实现&#xff1a; 登录nginx服务器执行命令&#xff1a;sudo nginx -s reload &#xff08;重新加载nginx配置&…

YOLOv5改进--轻量化YOLOv5s模型

文章目录 1、前言2、轻量化模型结构&#xff1a;3、模型对比4、训练结果图5、目标检测文章 1、前言 在边缘设备的场景下&#xff0c;目前的YOLOv5s&#xff0c;虽然能够快速实现目标检测&#xff0c;但是运行速度依旧稍慢点&#xff0c;本文在牺牲一点精度前提下&#xff0c;提…

Web漏洞-文件上传常见验证

后缀名&#xff1a;类型&#xff0c;文件头等 后缀名&#xff1a;黑白名单 文件类型&#xff1a;MIME信息 文件头&#xff1a;内容头信息 常见黑名单&#xff08;明确不允许上传的格式后缀&#xff09;&#xff1a;asp、php、jsp、aspx、cgi、war &#xff08;如果没有完整…

vscode:插件开发

文档&#xff1a; 连接 终端执行 sudo pnpm install -g yo generator-codeyo code// 这里建议选择 JavaScript 很少出错 # ? What type of extension do you want to create? New Extension (JavaScript) # ? Whats the name of your extension? HelloWorld ### Press <…

nacos derby.log无法的读取+derby数据库启动失败分析解决

排查思路分析 日志报错&#xff1a; derby.log文件权限不够&#xff08;root权限&#xff09;&#xff0c;无法读取&#xff0c;我用普通用户启动。 使用命令chown xx:xx derby.log修改属主和属组为普通用户后&#xff0c;又报出其他错误。 数据库启动不了&#xff0c;无…

Composer Windows 安装

Composer 的下载地址为&#xff1a;Composer 1 运行安装程序 当启动安装程序后单击下一步继续。 选择 PHP 路径 如果你的计算机上没有安装 PHP 的话&#xff0c;Composer 的安装无法继续。 你需要选择你本地安装的 PHP 路径。 配置代理地址 默认的情况下&#xff0c;可以不…

【LeetCode刷题记录】15. 三数之和

15 三数之和 给你一个整数数组 nums &#xff0c;判断是否存在三元组 [ n u m s [ i ] , n u m s [ j ] , n u m s [ k ] ] [nums[i], nums[j], nums[k]] [nums[i],nums[j],nums[k]] 满足 i ! j、i ! k 且 j ! k &#xff0c;同时还满足 n u m s [ i ] n u m s [ j ] n u …

java基础语法(11)| 内部类

1. 内部类 1.1 什么是内部类 将一个类A定义在另一个类B里面&#xff0c;里面的那个类A就称为内部类&#xff0c;B则称为外部类。 1.2 内部类的分类 成员内部类 局部内部类 匿名内部类 1.3 成员内部类 在描述事物时&#xff0c;若一个事物内部还包含其他事物&#xff0c;就…

基于starganvc2的变声器论文原理解读

数据与代码见文末 论文地址&#xff1a;https://arxiv.org/pdf/1907.12279.pdf 1.概述 什么是变声器&#xff0c;变声器就是将语音特征进行转换&#xff0c;而语音内容不改变 那么我们如何构建一个变声器呢&#xff1f; 首先&#xff0c;我们肯定不能为转换的每一种风格的声…

JavaEE初阶——多线程(一)

T04BF &#x1f44b;专栏: 算法|JAVA|MySQL|C语言 &#x1faf5; 小比特 大梦想 此篇文章与大家分享多线程的第一部分:引入线程以及创建多线程的几种方式 此文章是建立在前一篇文章进程的基础上的 如果有不足的或者错误的请您指出! 1.认识线程 我们知道现代的cpu大多都是多核心…

【Figma】安装指南及基础操作

先前做UI设计一直都是用PS等绘图软件设计&#xff0c;但发现在纠结像素和排版问题上会花很多时间&#xff0c;再加上AI没来得及上手&#xff0c;就需要迅速出成图&#xff0c;此时通过论坛发现了figma&#xff0c;基本上可以满足足够的需求&#xff0c;并且可以在windows系统上…