springboot+redis
时间: 2023-08-17 17:07:20 浏览: 115
当使用Spring Boot与Redis结合时,您可以利用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或application.yml文件中添加Redis连接配置,例如:
```properties
spring.redis.host=127.0.0.1
spring.redis.port=6379
spring.redis.password=your_password (如果有密码的话)
```
3. 创建RedisTemplate Bean:您可以创建一个RedisTemplate bean来执行Redis操作。可以通过配置一个RedisConnectionFactory来实现,例如:
```java
@Configuration
public class RedisConfig {
@Bean
public RedisConnectionFactory redisConnectionFactory() {
RedisStandaloneConfiguration configuration = new RedisStandaloneConfiguration();
configuration.setHostName("127.0.0.1");
configuration.setPort(6379);
configuration.setPassword("your_password");
return new LettuceConnectionFactory(configuration);
}
@Bean
public RedisTemplate<String, Object> redisTemplate(RedisConnectionFactory connectionFactory) {
RedisTemplate<String, Object> template = new RedisTemplate<>();
template.setConnectionFactory(connectionFactory);
template.setKeySerializer(new StringRedisSerializer());
template.setValueSerializer(new GenericJackson2JsonRedisSerializer());
return template;
}
}
```
4. 使用RedisTemplate进行操作:您可以使用RedisTemplate来执行各种Redis操作,例如设置值、获取值、删除值等。以下是一些示例代码:
```java
@Autowired
private RedisTemplate<String, Object> redisTemplate;
public void setValue(String key, Object value) {
redisTemplate.opsForValue().set(key, value);
}
public Object getValue(String key) {
return redisTemplate.opsForValue().get(key);
}
public void deleteValue(String key) {
redisTemplate.delete(key);
阅读全文