SSM(七)在JavaWeb應用中使用Redis

crossoverJie發表於2019-03-01

前言

由於最近換(mang)了(de)家(yi)公(bi)司接觸了新的東西所以很久沒有更新了。
這次談談Redis,關於Redis應該很多朋友就算沒有用過也聽過,算是這幾年最流行的NoSql之一了。
Redis的應用場景非常多這裡就不一一列舉了,這次就以一個最簡單的也最常用的 快取資料 來舉例。
先來看一張效果圖:

SSM(七)在JavaWeb應用中使用Redis
01.gif

作用就是在每次查詢介面的時候首先判斷Redis中是否有快取,有的話就讀取,沒有就查詢資料庫並儲存到Redis中,下次再查詢的話就會直接從快取中讀取了。
Redis中的結果:
SSM(七)在JavaWeb應用中使用Redis
02.gif

之後查詢redis發現確實是存進來了。

Redis安裝與使用

首先第一步自然是安裝Redis。我是在我VPS上進行安裝的,作業系統是CentOS6.5

  • 下載Redisredis.io/download,我機器上安裝的是3.2.5

  • 將下載下來的'reidis-3.2.5-tar.gz'上傳到usr/local這個目錄進行解壓。

  • 進入該目錄。

    SSM(七)在JavaWeb應用中使用Redis
    03.jpg

  • 編譯安裝

    make
    make install複製程式碼
  • 修改redis.conf配置檔案。

這裡我只是簡單的加上密碼而已。

vi redis.conf
requirepass 你的密碼複製程式碼
  • 啟動Redis

啟動時候要選擇我們之前修改的配置檔案才能使配置檔案生效。

進入src目錄
cd /usr/local/redis-3.2.5/src
啟動服務
./redis-server ../redis.conf複製程式碼
  • 登陸redis
    ./redis-cli -a 你的密碼複製程式碼

Spring整合Redis

這裡我就直接開始用Spring整合畢竟在實際使用中都是和Spring一起使用的。

  • 修改Spring配置檔案
    加入以下內容:

    <!-- jedis 配置 -->
      <bean id="poolConfig" class="redis.clients.jedis.JedisPoolConfig">
          <property name="maxIdle" value="${redis.maxIdle}"/>
          <property name="maxWaitMillis" value="${redis.maxWait}"/>
          <property name="testOnBorrow" value="${redis.testOnBorrow}"/>
      </bean>
      <!-- redis伺服器中心 -->
      <bean id="connectionFactory" class="org.springframework.data.redis.connection.jedis.JedisConnectionFactory">
          <property name="poolConfig" ref="poolConfig"/>
          <property name="port" value="${redis.port}"/>
          <property name="hostName" value="${redis.host}"/>
          <property name="password" value="${redis.password}"/>
          <property name="timeout" value="${redis.timeout}"></property>
      </bean>
      <bean id="redisTemplate" class="org.springframework.data.redis.core.RedisTemplate">
          <property name="connectionFactory" ref="connectionFactory"/>
          <property name="keySerializer">
              <bean class="org.springframework.data.redis.serializer.StringRedisSerializer"/>
          </property>
          <property name="valueSerializer">
              <bean class="org.springframework.data.redis.serializer.JdkSerializationRedisSerializer"/>
          </property>
      </bean>
    
      <!-- cache配置 -->
      <bean id="methodCacheInterceptor" class="com.crossoverJie.intercept.MethodCacheInterceptor">
          <property name="redisUtil" ref="redisUtil"/>
      </bean>
      <bean id="redisUtil" class="com.crossoverJie.util.RedisUtil">
          <property name="redisTemplate" ref="redisTemplate"/>
      </bean>
    
      <!--配置切面攔截方法 -->
      <aop:config proxy-target-class="true">
          <!--將com.crossoverJie.service包下的所有select開頭的方法加入攔截
          去掉select則加入所有方法w
          -->
          <aop:pointcut id="controllerMethodPointcut" expression="
          execution(* com.crossoverJie.service.*.select*(..))"/>
    
          <aop:pointcut id="selectMethodPointcut" expression="
          execution(* com.crossoverJie.dao..*Mapper.select*(..))"/>
    
          <aop:advisor advice-ref="methodCacheInterceptor" pointcut-ref="controllerMethodPointcut"/>
      </aop:config>複製程式碼

    更多的配置可以直接在原始碼裡面檢視:github.com/crossoverJi…
    以上都寫有註釋,也都是一些簡單的配置相信都能看懂。
    下面我會著重說下如何配置快取的。

Spring切面使用快取

Spring的AOP真是是一個好東西,還不太清楚是什麼的同學建議先自行Google下吧。
在不使用切面的時候如果我們想給某個方法加入快取的話肯定是在方法返回之前就要加入相應的邏輯判斷,只有一個或幾個倒還好,如果有幾十上百個的話那GG了,而且維護起來也特別麻煩。

好在Spring的AOP可以幫我們解決這個問題。
這次就在我們需要加入快取方法的切面加入這個邏輯,並且只需要一個配置即可搞定,就是上文中所提到的配置檔案,如下:

    <!--配置切面攔截方法 -->
    <aop:config proxy-target-class="true">
        <!--將com.crossoverJie.service包下的所有select開頭的方法加入攔截
        去掉select則加入所有方法w
        -->
        <aop:pointcut id="controllerMethodPointcut" expression="
        execution(* com.crossoverJie.service.*.select*(..))"/>

        <aop:pointcut id="selectMethodPointcut" expression="
        execution(* com.crossoverJie.dao..*Mapper.select*(..))"/>

        <aop:advisor advice-ref="methodCacheInterceptor" pointcut-ref="controllerMethodPointcut"/>
    </aop:config>複製程式碼

這裡我們使用表示式execution(* com.crossoverJie.service.*.select*(..))來攔截service中所有以select開頭的方法。這樣只要我們要將加入的快取的方法以select命名開頭的話每次進入方法之前都會進入我們自定義的MethodCacheInterceptor攔截器。
這裡貼一下MethodCacheInterceptor中處理邏輯的核心方法:

@Override
    public Object invoke(MethodInvocation invocation) throws Throwable {
        Object value = null;

        String targetName = invocation.getThis().getClass().getName();
        String methodName = invocation.getMethod().getName();
        // 不需要快取的內容
        //if (!isAddCache(StringUtil.subStrForLastDot(targetName), methodName)) {
        if (!isAddCache(targetName, methodName)) {
            // 執行方法返回結果
            return invocation.proceed();
        }
        Object[] arguments = invocation.getArguments();
        String key = getCacheKey(targetName, methodName, arguments);
        logger.debug("redisKey: " + key);
        try {
            // 判斷是否有快取
            if (redisUtil.exists(key)) {
                return redisUtil.get(key);
            }
            // 寫入快取
            value = invocation.proceed();
            if (value != null) {
                final String tkey = key;
                final Object tvalue = value;
                new Thread(new Runnable() {
                    @Override
                    public void run() {
                        if (tkey.startsWith("com.service.impl.xxxRecordManager")) {
                            redisUtil.set(tkey, tvalue, xxxRecordManagerTime);
                        } else if (tkey.startsWith("com.service.impl.xxxSetRecordManager")) {
                            redisUtil.set(tkey, tvalue, xxxSetRecordManagerTime);
                        } else {
                            redisUtil.set(tkey, tvalue, defaultCacheExpireTime);
                        }
                    }
                }).start();
            }
        } catch (Exception e) {
            e.printStackTrace();
            if (value == null) {
                return invocation.proceed();
            }
        }
        return value;
    }複製程式碼
  • 先是檢視了當前方法是否在我們自定義的方法中,如果不是的話就直接返回,不進入攔截器。
  • 之後利用反射獲取的類名、方法名、引數生成rediskey
  • 用key在redis中查詢是否已經有快取。
  • 有快取就直接返回快取內容,不再繼續查詢資料庫。
  • 如果沒有快取就查詢資料庫並將返回資訊加入到redis中。

使用PageHelper

這次為了分頁方便使用了比較流行的PageHelper來幫我們更簡單的進行分頁。
首先是新增一個mybatis的配置檔案mybatis-config

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configuration
        PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
    <settings>
        <setting name="cacheEnabled" value="true"/>
        <setting name="lazyLoadingEnabled" value="true"/>
        <setting name="multipleResultSetsEnabled" value="true"/>
        <setting name="useColumnLabel" value="true"/>
        <setting name="useGeneratedKeys" value="false"/>
        <setting name="autoMappingBehavior" value="PARTIAL"/>
        <setting name="defaultExecutorType" value="SIMPLE"/>
        <setting name="defaultStatementTimeout" value="25"/>
        <setting name="safeRowBoundsEnabled" value="false"/>
        <setting name="mapUnderscoreToCamelCase" value="false"/>
        <setting name="localCacheScope" value="SESSION"/>
        <setting name="jdbcTypeForNull" value="OTHER"/>
        <setting name="lazyLoadTriggerMethods" value="equals,clone,hashCode,toString"/>
    </settings>

    <plugins>
        <!-- com.github.pagehelper為PageHelper類所在包名 -->
        <plugin interceptor="com.github.pagehelper.PageHelper">
            <property name="dialect" value="mysql"/>
            <!-- 該引數預設為false -->
            <!-- 設定為true時,會將RowBounds第一個引數offset當成pageNum頁碼使用 -->
            <!-- 和startPage中的pageNum效果一樣 -->
            <property name="offsetAsPageNum" value="true"/>
            <!-- 該引數預設為false -->
            <!-- 設定為true時,使用RowBounds分頁會進行count查詢 -->
            <property name="rowBoundsWithCount" value="true"/>

            <!-- 設定為true時,如果pageSize=0或者RowBounds.limit = 0就會查詢出全部的結果 -->
            <!-- (相當於沒有執行分頁查詢,但是返回結果仍然是Page型別) <property name="pageSizeZero" value="true"/> -->

            <!-- 3.3.0版本可用 - 分頁引數合理化,預設false禁用 -->
            <!-- 啟用合理化時,如果pageNum<1會查詢第一頁,如果pageNum>pages會查詢最後一頁 -->
            <!-- 禁用合理化時,如果pageNum<1或pageNum>pages會返回空資料 -->
            <property name="reasonable" value="true"/>
            <!-- 3.5.0版本可用 - 為了支援startPage(Object params)方法 -->
            <!-- 增加了一個`params`引數來配置引數對映,用於從Map或ServletRequest中取值 -->
            <!-- 可以配置pageNum,pageSize,count,pageSizeZero,reasonable,不配置對映的用預設值 -->
            <!-- 不理解該含義的前提下,不要隨便複製該配置 -->
            <property name="params" value="pageNum=start;pageSize=limit;"/>
        </plugin>
    </plugins>
</configuration>複製程式碼

接著在mybatis的配置檔案中引入次配置檔案:

    <bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean">
        <property name="dataSource" ref="dataSource" />
        <!-- 自動掃描mapping.xml檔案 -->
        <property name="mapperLocations" value="classpath:mapping/*.xml"></property>
        <!--加入PageHelper-->
        <property name="configLocation" value="classpath:mybatis-config.xml"/>
    </bean>複製程式碼

接著在service方法中:

    @Override
    public PageEntity<Rediscontent> selectByPage(Integer pageNum, Integer pageSize) {
        PageHelper.startPage(pageNum, pageSize);
        //因為是demo,所以這裡預設沒有查詢條件。
        List<Rediscontent> rediscontents = rediscontentMapper.selectByExample(new RediscontentExample());
        PageEntity<Rediscontent> rediscontentPageEntity = new PageEntity<Rediscontent>();
        rediscontentPageEntity.setList(rediscontents);
        int size = rediscontentMapper.selectByExample(new RediscontentExample()).size();
        rediscontentPageEntity.setCount(size);
        return rediscontentPageEntity;
    }複製程式碼

只需要使用PageHelper.startPage(pageNum, pageSize);方法就可以幫我們簡單的分頁了。
這裡我自定義了一個分頁工具類PageEntity來更方便的幫我們在之後生成JSON資料。

package com.crossoverJie.util;

import java.io.Serializable;
import java.util.List;

/**
 * 分頁實體
 *
 * @param <T>
 */
public class PageEntity<T> implements Serializable {
    private List<T> list;// 分頁後的資料
    private Integer count;

    public Integer getCount() {
        return count;
    }

    public void setCount(Integer count) {
        this.count = count;
    }

    public List<T> getList() {
        return list;
    }

    public void setList(List<T> list) {
        this.list = list;
    }
}複製程式碼

更多PageHelper的使用請檢視一下連結:
github.com/pagehelper/…

前端聯調

接下來看下控制層RedisController:

package com.crossoverJie.controller;

import com.crossoverJie.pojo.Rediscontent;
import com.crossoverJie.service.RediscontentService;
import com.crossoverJie.util.CommonUtil;
import com.crossoverJie.util.PageEntity;
import com.github.pagehelper.PageHelper;
import net.sf.json.JSONArray;
import net.sf.json.JSONObject;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
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.RequestParam;

import javax.servlet.http.HttpServletResponse;


@Controller
@RequestMapping("/redis")
public class RedisController {

    private static Logger logger = LoggerFactory.getLogger(RedisController.class);

    @Autowired
    private RediscontentService rediscontentService;


    @RequestMapping("/redis_list")
    public void club_list(HttpServletResponse response,
                          @RequestParam(value = "page", defaultValue = "0") int page,
                          @RequestParam(value = "pageSize", defaultValue = "0") int pageSize) {
        JSONObject jsonObject = new JSONObject();
        JSONObject jo = new JSONObject();
        try {
            JSONArray ja = new JSONArray();
            PageHelper.startPage(1, 10);
            PageEntity<Rediscontent> rediscontentPageEntity = rediscontentService.selectByPage(page, pageSize);
            for (Rediscontent rediscontent : rediscontentPageEntity.getList()) {
                JSONObject jo1 = new JSONObject();
                jo1.put("rediscontent", rediscontent);
                ja.add(jo1);
            }
            jo.put("redisContents", ja);
            jo.put("count", rediscontentPageEntity.getCount());
            jsonObject = CommonUtil.parseJson("1", "成功", jo);

        } catch (Exception e) {
            jsonObject = CommonUtil.parseJson("2", "操作異常", "");
            logger.error(e.getMessage(), e);
        }
        //構建返回
        CommonUtil.responseBuildJson(response, jsonObject);
    }
}複製程式碼

這裡就不做過多解釋了,就是從redis或者是service中查詢出資料並返回。

前端的顯示介面在github.com/crossoverJi…中(並不是前端,將就看)。
其中核心的redis_list.js的程式碼如下:

var page = 1,
    rows = 10;
$(document).ready(function () {
    initJqPaginator();
    //載入
    load_redis_list();
    $(".query_but").click(function () {//查詢按鈕
        page = 1;
        load_redis_list();
    });
});
//初始化分頁
function initJqPaginator() {
    $.jqPaginator('#pagination', {
        totalPages: 100,
        visiblePages: 10,
        currentPage: 1,
        first: '<li class="prev"><a href="javascript:;">首頁</a></li>',
        last: '<li class="prev"><a href="javascript:;">末頁</a></li>',
        prev: '<li class="prev"><a href="javascript:;">上一頁</a></li>',
        next: '<li class="next"><a href="javascript:;">下一頁</a></li>',
        page: '<li class="page"><a href="javascript:;">{{page}}</a></li>',
        onPageChange: function (num, type) {
            page = num;
            if (type == "change") {
                load_redis_list();
            }
        }
    });
}
//列表
function create_club_list(redisContens) {
    var phone = 0;
    var html = '<div class="product_box">'
        + '<div class="br">'
        + '<div class="product_link">'
        + '<div class="product_phc">'
        + '<img class="phc" src="" >'
        + '</div>'
        + '<span class="product_name">' + redisContens.id + '</span></div>'
        + '<div class="product_link toto">' + redisContens.content + '</div>'
        + '<div class="product_link toto">'
        + '<span>' + "" + '</span>'
        + '</div>'
        + '<div class="product_link toto">'
        + '<span>' + phone + '</span></div>'
        + '<div class="product_link toto">'
        + '<span>' + 0 + '</span></div>'
        + '<div class="product_link toto product_operation">'
        + '<span onclick="edit_club(' + 0 + ')">編輯</span>'
        + '<span onclick="edit_del(' + 0 + ')">刪除</span></div></div>'
        + '</div>';
    return html;
}
//載入列表
function load_redis_list() {
    var name = $("#name").val();
    $.ajax({
        type: 'POST',
        url: getPath() + '/redis/redis_list',
        async: false,
        data: {name: name, page: page, pageSize: rows},
        datatype: 'json',
        success: function (data) {
            if (data.result == 1) {
                $(".product_length_number").html(data.data.count);
                var html = "";
                var count = data.data.count;
                for (var i = 0; i < data.data.redisContents.length; i++) {
                    var redisContent = data.data.redisContents[i];
                    html += create_club_list(redisContent.rediscontent);
                }
                $(".product_content").html(html);
                //這裡是分頁的外掛
                $('#pagination').jqPaginator('option', {
                    totalPages: (Math.ceil(count / rows) < 1 ? 1 : Math.ceil(count / rows)),
                    currentPage: page
                });
            } else {
                alert(data.msg);
            }
        }
    });
    $(".product_box:even").css("background", "#e6e6e6");//隔行變色
}複製程式碼

其實就是一個簡單的請求介面,並根據返回資料動態生成Dom而已。

總結

以上就是一個簡單的redis的應用。
redis的應用場景還非常的多,比如現在我所在做的一個專案就有用來處理簡訊驗證碼的業務場景,之後有時間可以寫一個demo。

專案地址:github.com/crossoverJi…
個人部落格地址:crossoverjie.top
GitHub地址:github.com/crossoverJi…

相關文章