Spring Boot整合Redis

本文主要讲解Spring Boot整合Spring Data Redis。

1 Windows启动Redis Server

1.1 下载Window版Redis

下载地址:https://pan.baidu.com/s/1V6m0lO5awVexoa8jQomL-g

Spring Boot整合Redis_第1张图片
file

1.2 双击启动Redis服务端

Spring Boot整合Redis_第2张图片
file

Spring Boot整合Redis_第3张图片
file

2 创建项目,导入依赖



    4.0.0

    com.yiidian
    ch03_08_springboot_redis
    1.0-SNAPSHOT

    
    
    
        org.springframework.boot
        spring-boot-starter-parent
        2.1.11.RELEASE
    

    
        
        
            org.springframework.boot
            spring-boot-starter-web
        

        
        
            org.springframework.boot
            spring-boot-starter-data-redis
        
    

必须导入Spring Data Redis依赖!

3 编写application.yml

# redis配置
spring:
  redis:
    host: localhost # 默认localhost,需要远程服务器需要修改
    port: 6379  # 默认6379,如果不一致需要修改
    database: 0 # 代表连接的数据库索引,默认为0,

以上为Spring Boot的Redis配置

  1. host:代表Redis服务端地址
  2. port:Java连接Redis的端口
  3. database:操作的Redis的数据库索引

4 编写Controller

package com.yiidian.controller;
import com.yiidian.domain.Customer;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;

/**
 * 控制器
 * 一点教程网 - www.yiidian.com
 */
@Controller
public class CustomerController {
    @Autowired
    private RedisTemplate redisTemplate;

    /**
     * 往Redis存入对象
     */
    @RequestMapping("/put")
    @ResponseBody
    public String put(){
        Customer customer = new Customer();
        customer.setId(1);
        customer.setName("小明");
        customer.setGender("男");
        customer.setTelephone("132444455555");
        //调用Redis的API存入数据
        redisTemplate.opsForValue().set("customer",customer);
        return "success";
    }

    /**
     * 从Redis取出对象
     */
    @RequestMapping("/get")
    @ResponseBody
    public Customer get(){
        return (Customer)redisTemplate.opsForValue().get("customer");
    }
}

在Controller注入RedisTemplate模板对象,利用它来操作Redis数据库,这里写一个put方法,用于往Redis存入数据,一个get方法,从Redis获取数据。但需要注意的时候,如果操作的Pojo对象,该Pojo必须实现java.io.Serializable接口,如下:

/**
 * 实体类
 * 一点教程网 - www.yiidian.com
 */

public class Customer implements Serializable{
    private Integer id;
    private String name;
    private String gender;
    private String telephone;

5 运行测试

先访问put方法,返回success代表存入数据成功!

http://localhost:8080/put

再访问get方法,效果如下:

http://localhost:8080/get

Spring Boot整合Redis_第4张图片
file

原文地址:http://www.yiidian.com/springboot/springboot-redis.html

欢迎关注我的公众号:一点教程,获得高质量的IT学习资源和干货推送。
如果您对我的专题内容感兴趣,也可以关注我的网站:yiidian.com

你可能感兴趣的:(Spring Boot整合Redis)