1.开始
SpringBoot集成Redis了话,这里我不再集成MyBatis了,就单纯的做一个简单的模拟,我们知道这个过程是怎么样的就可以了。
2.步骤
2.1 在pom.xml文件中添加依赖
<!-- SpringBoot集成Redis的起步依赖 --> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-data-redis</artifactId> </dependency>
#设置redis的配置信息 spring.redis.host=localhost spring.redis.port=6379
这里没有配置内嵌Tomcat端口号,以及项目的上下文根,所以默认端口号就是8080,上下文根就是 /
package com.songzihao.springboot.service; /** * */ public interface StudentService { void put(String key, String value); String get(String key); }
配置了上面的步骤,Spring Boot 将自动配置 RedisTemplate,在需要操作 redis 的类中注入 redisTemplate 即可。
注意:Spring Boot 帮我们注入 RedisTemplate 类,泛型里面只能写 <String, String>、 <Object, Object> 、或者什么都不写。
package com.songzihao.springboot.service.impl; import com.songzihao.springboot.service.StudentService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.data.redis.core.RedisTemplate; import org.springframework.stereotype.Service; /** * */ @Service public class StudentServiceImpl implements StudentService { @Autowired private RedisTemplate<Object,Object> redisTemplate; @Override public void put(String key, String value) { redisTemplate.opsForValue().set(key,value); } @Override public String get(String key) { String count= (String) redisTemplate.opsForValue().get(key); return count; } }
其中 /put 对应的操作是将值存入redis;/get 对应的操作是从redis中取值。
package com.songzihao.springboot.controller; import com.songzihao.springboot.service.StudentService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.bind.annotation.RestController; /** * */ @RestController public class StudentController { @Autowired private StudentService studentService; @RequestMapping(value = "/put") public Object put(String key,String value) { studentService.put(key,value); return "值已成功放入redis"; } @RequestMapping(value = "/get") public String get() { String count=studentService.get("count"); return "数据count为: " + count; } }