Spring boot 整合redis
时间: 2023-06-16 21:07:05 浏览: 168
springboot 整合redis
Spring Boot 可以很方便地与 Redis 进行集成。以下是一个简单的 Spring Boot 整合 Redis 的示例:
1. 添加 Redis 依赖
在 `pom.xml` 添加 Redis 相关依赖:
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-data-redis</artifactId>
</dependency>
```
2. 配置 Redis 连接信息
在 `application.properties` 文件中配置 Redis 的连接信息:
```properties
spring.redis.host=localhost
spring.redis.port=6379
spring.redis.password=
```
如果 Redis 没有设置密码,则 `spring.redis.password` 可以不用配置。
3. 编写 Redis 配置类
创建一个 Redis 配置类,用于配置 RedisTemplate 和 RedisConnectionFactory:
```java
@Configuration
public class RedisConfig {
@Bean
public RedisTemplate<String, Object> redisTemplate(RedisConnectionFactory redisConnectionFactory) {
RedisTemplate<String, Object> redisTemplate = new RedisTemplate<>();
redisTemplate.setConnectionFactory(redisConnectionFactory);
redisTemplate.setKeySerializer(new StringRedisSerializer());
redisTemplate.setValueSerializer(new GenericToStringSerializer<>(Object.class));
return redisTemplate;
}
@Bean
public RedisConnectionFactory redisConnectionFactory() {
RedisStandaloneConfiguration redisStandaloneConfiguration = new RedisStandaloneConfiguration();
redisStandaloneConfiguration.setHostName("localhost");
redisStandaloneConfiguration.setPort(6379);
return new JedisConnectionFactory(redisStandaloneConfiguration);
}
}
```
4. 使用 RedisTemplate 操作 Redis
在需要使用 Redis 的地方注入 RedisTemplate,然后就可以使用其提供的方法操作 Redis 了:
```java
@RestController
@RequestMapping("/redis")
public class RedisController {
@Autowired
private RedisTemplate<String, Object> redisTemplate;
@GetMapping("/set")
public String set(String key, String value) {
redisTemplate.opsForValue().set(key, value);
return "success";
}
@GetMapping("/get")
public String get(String key) {
Object value = redisTemplate.opsForValue().get(key);
return value != null ? value.toString() : "";
}
}
```
以上示例中,我们使用了 RedisTemplate 的 `opsForValue` 方法来进行 Redis 的读写操作。
这样,我们就完成了 Spring Boot 整合 Redis 的操作。
阅读全文