SpringBoot+Shiro+mybatis整合實戰

来源:https://www.cnblogs.com/kbody/archive/2019/12/23/12084539.html
-Advertisement-
Play Games

SpringBoot+Shiro+mybatis整合 1. 使用Springboot版本2.0.4 與shiro的版本 引入springboot和shiro依賴 <?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.a ...


SpringBoot+Shiro+mybatis整合

1. 使用Springboot版本2.0.4 與shiro的版本

   引入springboot和shiro依賴   

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0"
         xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
         xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>

    <groupId>com.smile</groupId>
    <artifactId>spring-demo</artifactId>
    <version>1.0-SNAPSHOT</version>

    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.0.4.RELEASE</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>

    <properties>
        <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
        <project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
        <java.version>1.8</java.version>
    </properties>

    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>

        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>

        <!--常用工具類 -->
        <dependency>
            <groupId>org.apache.commons</groupId>
            <artifactId>commons-lang3</artifactId>
        </dependency>

        <!-- mysql所需的配置 -->
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
        </dependency>

        <dependency>
            <groupId>org.mybatis.spring.boot</groupId>
            <artifactId>mybatis-spring-boot-starter</artifactId>
            <version>1.3.2</version>
        </dependency>

        <!--阿裡資料庫連接池 -->
        <dependency>
            <groupId>com.alibaba</groupId>
            <artifactId>druid-spring-boot-starter</artifactId>
            <version>1.1.10</version>
        </dependency>

        <!-- Redis客戶端 -->
        <dependency>
            <groupId>redis.clients</groupId>
            <artifactId>jedis</artifactId>
        </dependency>

        <!-- 讀取資源文件所需的配置 -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-configuration-processor</artifactId>
            <optional>true</optional>
        </dependency>

        <!-- 引入thymeleaf模板依賴 -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-thymeleaf</artifactId>
        </dependency>

        <!-- pagehelper 分頁插件 -->
        <dependency>
            <groupId>com.github.pagehelper</groupId>
            <artifactId>pagehelper-spring-boot-starter</artifactId>
            <version>1.2.5</version>
        </dependency>

        <!-- 阿裡JSON解析器 -->
        <dependency>
            <groupId>com.alibaba</groupId>
            <artifactId>fastjson</artifactId>
            <version>1.2.47</version>
        </dependency>

        <!-- 集成shiro -->
        <dependency>
            <groupId>org.apache.shiro</groupId>
            <artifactId>shiro-spring</artifactId>
            <version>1.4.0</version>
        </dependency>

        <!-- https://mvnrepository.com/artifact/org.crazycake/shiro-redis -->
        <dependency>
            <groupId>org.crazycake</groupId>
            <artifactId>shiro-redis</artifactId>
            <version>3.1.0</version>
        </dependency>


        <!-- 列印SQL語句-->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-data-jpa</artifactId>
        </dependency>


    </dependencies>
</project>

2. 添加相應的配置

server:
  port: 8183

spring:
  thymeleaf:
    mode: HTML
    encoding: utf-8
    cache: false
  datasource:
    driver-class-name: com.mysql.jdbc.Driver
    url: jdbc:mysql://192.168.144.128:3306/spring_shiro?serverTimezone=GMT&useUnicode=true&characterEncoding=utf-8&useSSL=true
    #url: jdbc:mysql://localhost:3306/test?useUnicode=true&characterEncoding=utf8&zeroDateTimeBehavior=convertToNull&useSSL=false
    username: root
    password: root
    type: com.alibaba.druid.pool.DruidDataSource
    maxActive: 20
    initialSize: 1
    maxWait: 60000
    poolPreparedStatements: true
    maxPoolPreparedStatementPerConnectionSize: 20
    minIdle: 1
    timeBetweenEvictionRunsMillis: 60000
    minEvictableIdleTimeMillis: 300000
    validationQuery: select 1 from dual
    testWhileIdle: true
    testOnBorrow: false
  jackson:
    time-zone: GMT+8
    date-format: yyyy-MM-dd HH:mm:ss

  jpa:
    database: mysql
    show-sql: true

#日誌級別列印
logging:
  level:
    com.example.demo: debug
    org.springframework: WARN
    org.spring.springboot.dao: debug

# MyBatis
mybatis:
  typeAliasesPackage: com.example.demo
  mapperLocations: classpath:mybatis/**/*Mapper.xml
  configLocation: classpath:mybatis/mybatis-config.xml

# PageHelper
pagehelper:
  helperDialect: mysql
  reasonable: true
  supportMethodsArguments: true
  params: count=countSql

3. 將相關配置@Bean註入容器

package com.example.demo.config;

import org.apache.shiro.authc.credential.HashedCredentialsMatcher;
import org.apache.shiro.mgt.SecurityManager;
import org.apache.shiro.session.mgt.SessionManager;
import org.apache.shiro.spring.web.ShiroFilterFactoryBean;
import org.apache.shiro.web.mgt.DefaultWebSecurityManager;
import org.crazycake.shiro.RedisCacheManager;
import org.crazycake.shiro.RedisManager;
import org.crazycake.shiro.RedisSessionDAO;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;

import java.util.LinkedHashMap;
import java.util.Map;

/**
 * @時間 2019/11/25 17:17
 * @作者 liutao
 * @描述
 */
@Configuration
public class ShiroConfig {

    /**
     * 設置過濾器
     * @param securityManager
     * @return
     */
    @Bean
    public ShiroFilterFactoryBean shiroFilterFactoryBean(SecurityManager securityManager){
        ShiroFilterFactoryBean factoryBean = new ShiroFilterFactoryBean();
        factoryBean.setSecurityManager(securityManager);
        // 設置需要進行登錄的路徑API
        factoryBean.setLoginUrl("/pub/need_login");
        // 若是使用前後端分離,則不需要進行設置該方法
        factoryBean.setSuccessUrl("/");
        // 沒有進行授權,返回的API
        factoryBean.setUnauthorizedUrl("/pub/not_permit");

        // 自定義過濾器

        Map<String, String> filterMap = new LinkedHashMap<>();
        // 設置退出的過濾器
        filterMap.put("/logout", "logout");
        // 不需要進行授權就可以進行訪問,游客都可以進行訪問的API
        filterMap.put("/pub/**", "anon");
        // 需要進行授權才可以進行訪問的API介面
        filterMap.put("/authc/**", "authc");
        // 有對應的角色才可以進行訪問
        filterMap.put("/admin/**", "roles[admin]");

        // 設置最後的攔截器,需要進行授權才可以進行訪問
        filterMap.put("/**","authc");
        factoryBean.setFilterChainDefinitionMap(filterMap);

        return factoryBean;
    }

    /**
     * 設置安全管理器
     * @return
     */
    @Bean
    public SecurityManager securityManager(){
        DefaultWebSecurityManager securityManager = new DefaultWebSecurityManager();
        securityManager.setSessionManager(sessionManager());
        securityManager.setRealm(customRealm());
        securityManager.setCacheManager(cacheManage());
        return securityManager;
    }


    /**
     * 自定義Realm
     * @return
     */
    @Bean
    public CustomRealm customRealm(){
        CustomRealm customRealm = new CustomRealm();
        // 設置密碼的加密
        customRealm.setCredentialsMatcher(hashedCredentialsMatcher());
        return customRealm;
    }

    /**
     * 設置sessionId的管理器 (前後端分離,要進行獲取Token)
     * @return
     */
    @Bean
    public SessionManager sessionManager(){
        CustomSessionManager sessionManager = new CustomSessionManager();
        // 設置sessionDAO -- 裡面定義了自定義SessionId
        sessionManager.setSessionDAO(redisSessionDAO());
        return sessionManager;
    }


    /**
     * 設置密碼加密
     * @return
     */
    @Bean
    public HashedCredentialsMatcher hashedCredentialsMatcher(){
        HashedCredentialsMatcher matcher = new HashedCredentialsMatcher();
        // 密碼演算法
        matcher.setHashAlgorithmName("md5");
        // 加密散列次數
        matcher.setHashIterations(3);
        return matcher;
    }


    /**
     * 將會話SessionId保存到Redis裡面,可以提高性能
     * @return
     */
    public RedisSessionDAO redisSessionDAO(){
        RedisSessionDAO dao = new RedisSessionDAO();
        dao.setRedisManager(redisManager());
        dao.setSessionIdGenerator(new CustomSessionIdGenerator());
        return dao;
    }


    /**
     * 接入Redis資料庫
     * @return
     */
    public RedisManager redisManager(){
        RedisManager redisManager = new RedisManager();
        redisManager.setHost("127.0.0.1");
        redisManager.setPort(6379);
        return redisManager;
    }


    /**
     * 緩存管理
     * @return
     */
    @Bean
    public RedisCacheManager cacheManage(){
        RedisCacheManager cacheManager = new RedisCacheManager();
        cacheManager.setRedisManager(redisManager());
        // 設置過期時間,單位是秒
        cacheManager.setExpire(60);
        return cacheManager;
    }




    /**
     * 加入請求頭  前後端分離
     * @return
     */
    @Bean
    public WebMvcConfigurer webMvcConfigurer(){
        return new WebMvcConfig();
    }

}

4.創建CustomRealm類繼承AuthorizingRealm,實現用戶登錄認證和許可權鑒權

package com.example.demo.config;

import com.example.demo.entity.User;
import com.example.demo.service.UserService;
import org.apache.shiro.authc.AuthenticationException;
import org.apache.shiro.authc.AuthenticationInfo;
import org.apache.shiro.authc.AuthenticationToken;
import org.apache.shiro.authc.SimpleAuthenticationInfo;
import org.apache.shiro.authz.AuthorizationInfo;
import org.apache.shiro.realm.AuthorizingRealm;
import org.apache.shiro.subject.PrincipalCollection;
import org.springframework.beans.factory.annotation.Autowired;

/**
 * @時間 2019/11/25 17:17
 * @作者 liutao
 * @描述
 */
public class CustomRealm extends AuthorizingRealm {

    @Autowired
    private UserService userService;

    /**
     * 鑒權
     * @param principals
     * @return
     */
    @Override
    protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principals) {
        String name = (String) principals.getPrimaryPrincipal();
    //若是使用Redis和cache,獲取信息轉成用戶對象
    // User user= (User) principals.getPrimaryPrincipal();
    return null;
    }


    /**
     * 登錄認證
     * @param token
     * @return
     * @throws AuthenticationException
     */
    @Override
    protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken token) throws AuthenticationException {
        String name = (String) token.getPrincipal();

        User user = userService.selectUserByName(name);
        if(user == null){
            return null;
        }
     // 若是加入Redis和Cache緩存的管理的話,需要返回 用戶對象
     //
new SimpleAuthenticationInfo(user,user.getPassword(),getName());
    return new SimpleAuthenticationInfo(name,user.getPassword(),getName());
    }
}

5. 創建CustomSessionManager繼承DefaultWebSessionManager,可以進行實現Token,進行重寫

package com.example.demo.config;

import org.apache.shiro.web.servlet.ShiroHttpServletRequest;
import org.apache.shiro.web.session.mgt.DefaultWebSessionManager;
import org.apache.shiro.web.util.WebUtils;

import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import java.io.Serializable;

/**
 * @時間 2019/11/25 17:18
 * @作者 liutao
 * @描述
 */
public class CustomSessionManager extends DefaultWebSessionManager {

    private static final String AUTHORIZATION = "token";

    public CustomSessionManager(){
        super();
    }

    @Override
    protected Serializable getSessionId(ServletRequest request, ServletResponse response) {

        String sessionId = WebUtils.toHttp(request).getHeader(AUTHORIZATION);

        if(sessionId != null){

            request.setAttribute(ShiroHttpServletRequest.REFERENCED_SESSION_ID_SOURCE,
                    ShiroHttpServletRequest.COOKIE_SESSION_ID_SOURCE);
            request.setAttribute(ShiroHttpServletRequest.REFERENCED_SESSION_ID, sessionId);
            //automatically mark it valid here.  If it is invalid, the
            //onUnknownSession method below will be invoked and we'll remove the attribute at that time.
            request.setAttribute(ShiroHttpServletRequest.REFERENCED_SESSION_ID_IS_VALID, Boolean.TRUE);

            return sessionId;
        }else{
            return super.getSessionId(request,response);
        }

    }

}

6. 實現自定義SessionId,創建CustomSessionIdGenerator類實現 SessionIdGenerator

package com.example.demo.config;

import org.apache.shiro.session.Session;
import org.apache.shiro.session.mgt.eis.SessionIdGenerator;

import java.io.Serializable;
import java.util.UUID;

/**
 * @時間 2019/11/26 16:30
 * @作者 liutao
 * @描述
 */
public class CustomSessionIdGenerator implements SessionIdGenerator {

    private final String PREFIX_SESSIONID = "cc0504";

    public CustomSessionIdGenerator(){
        super();
    }

    @Override
    public Serializable generateId(Session session) {
        return PREFIX_SESSIONID + UUID.randomUUID().toString().replaceAll("-","");
    }
}

7.前後端分離,在Header裡面加入相應的數據信息

package com.example.demo.config;

import org.springframework.web.servlet.config.annotation.CorsRegistry;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;

/**
 * @時間 2019/11/25 19:27
 * @作者 liutao
 * @描述
 */
public class WebMvcConfig implements WebMvcConfigurer {

    @Override
    public void addCorsMappings(CorsRegistry registry) {

        registry.addMapping("/**")
                .allowedOrigins("*")  //可訪問ip,ip最好從配置文件中獲取,
                .allowedMethods("PUT", "DELETE","GET","POST")
                .allowedHeaders("*")
                .exposedHeaders("access-control-allow-headers","access-control-allow-methods","access-control-allow-origin", "access-control-max-age","X-Frame-Options")
                .allowCredentials(false).maxAge(3600);

    }
}

8. mybatis的配置

# MyBatis
mybatis:
  typeAliasesPackage: com.example.demo
  mapperLocations: classpath:mybatis/**/*Mapper.xml
  configLocation: classpath:mybatis/mybatis-config.xml

mybatis-config.xml中的內容:

<?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="useGeneratedKeys"         value="false" />  <!-- 不允許 JDBC 支持自動生成主鍵 -->
        <setting name="defaultExecutorType"      value="REUSE" /> <!-- 配置預設的執行器 -->
        <!--<setting name="logImpl"                  value="SLF4J" />--> <!-- 指定 MyBatis 所用日誌的具體實現 -->
        <setting name="logImpl" value="STDOUT_LOGGING" /> <!-- 在控制台列印SQL語句 -->
        <!-- <setting name="mapUnderscoreToCamelCase" value="true"/>  駝峰式命名 -->
    </settings>
    
</configuration>

基礎Mapper.xml文件內容

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.example.demo.mapper.UserMapper">
    <resultMap id="userResultMap" type="User">
        <result column="id" property="id"/>
        <result column="name" property="name"/>
        <result column="password" property="password"/>
        <result column="salt" property="salt"/>
    </resultMap>

    <select id="selectAllUsers" resultMap="userResultMap">
        select * from sys_user
    </select>

    <select id="selectUserByName" resultMap="userResultMap">
        select * from sys_user where name = #{name}
    </select>
</mapper>

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 這個場景跟《手寫Unity容器--極致簡陋版Unity容器》不同,這裡構造AndroidPhone的時候,AndroidPhone依賴於1個IPad 1、IPhone介面 2、AndroidPhone實現 3、IPad介面 4、IPad實現 5、容器--介面 6、容器--實現 7、調用 ...
  • WPF提供了一個更高級的模型,通過該模型可以只關註動畫的定義,而不必考慮它們的渲染方式。這個模型基於依賴項屬性基礎架構。本質上,WPF動畫只不過是在一段時間間隔內修染方式。這個模型基於依賴項屬性基礎架構。本質上,WPF動畫只不過是在一段時間間隔內修改依賴項屬性值的一種方式。 儘管目前WPF可為動畫使 ...
  • 聲明:參考於asp.net core 3.1 官網(以後不再說明) 本教程是系列教程中的第一個教程,介紹生成 ASP.NET Core Razor Pages Web 應用的基礎知識。 在本系列結束時,你將擁有一個管理電影資料庫的應用 環境:visual studio 2019. .ASP.NET ...
  • 原文:https://blogs.msdn.microsoft.com/mazhou/2018/03/02/c-7-series-part-9-ref-structs/ 背景 在之前的文章中,我解釋了許多新的C#特性,每一個特性都是為了增強語言或者解決問題而引入的。具體來說,我解釋了值類型和引用類型 ...
  • 1.如何判斷按鍵成功按下? 2.在什麼時候採集數據? 按鍵在按下的過程中會產生大約2ms-3ms抖動,如果此時此刻採集數據來判斷按鍵是不准確的,那麼為了採集到準確的數據需要設置一個大約10ms左右的計數器。 原理:當key按下,key_cnt開始計數,當key_cnt > 10ms 則判斷按鍵成功按 ...
  • \+, , (乘), /(除), (乘方), %(取模) let var=算術運算符表達式 var=$[算術運算符表達式] var=$((算術運算符表達式)) var=$(expr $ARG1 OP $APG2) 註意:乘法符號在某些場景中需要使用轉義符 練習:寫一個腳本文件,完成如下功能:添加3個 ...
  • 我們常用的linux系統在安裝過程中大多都省略了對系統進行分區的操作,以至於後期,不瞭解什麼是分區以及分區當中最基本的一些概念, 我們不說最細的知識,只求瞭解這個過程,那直接步入正題,開始第一節的學習。 開始準備 Linux 系統鏡像一個 這裡我選擇的是 TinyCore Linux 最小的linu ...
  • 作為各種電子產品的控制和處理核心,微控制單元(MCU)器件是一種集成微處理器(CPU)、存儲器(RAM/ROM)、計數器,以及I/O埠的晶元。從MCU內核架構來看,單片機有歷經多年的8051,基於Arm CortexM內核的微處理器,以及最近兩年流行起來的開源RISC-V微處理器。無論採用哪種架構 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...