使用Shiro實現認證和授權(基於SpringBoot)

来源:https://www.cnblogs.com/seve/archive/2020/01/29/12241197.html
-Advertisement-
Play Games

Apache Shiro是一個功能強大且易於使用的Java安全框架,它為開發人員提供了一種直觀,全面的身份驗證,授權,加密和會話管理解決方案。下麵是在SpringBoot中使用Shiro進行認證和授權的例子,代碼如下: pom.xml 導入SpringBoot和Shiro依賴: 也可以直接導入Apa ...


Apache Shiro是一個功能強大且易於使用的Java安全框架,它為開發人員提供了一種直觀,全面的身份驗證,授權,加密和會話管理解決方案。下麵是在SpringBoot中使用Shiro進行認證和授權的例子,代碼如下:

pom.xml

導入SpringBoot和Shiro依賴:

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

        <dependency>
            <groupId>org.apache.shiro</groupId>
            <artifactId>shiro-spring</artifactId>
            <version>1.4.2</version>
        </dependency>
</dependencies>

也可以直接導入Apache Shiro提供的starter:

<dependency>
        <groupId>org.apache.shiro</groupId>
        <artifactId>shiro-spring-boot-web-starter</artifactId>
</dependency>

Shiro配置類

package com.cf.shiro1.config;

import org.apache.shiro.authc.credential.HashedCredentialsMatcher;
import org.apache.shiro.realm.Realm;
import org.apache.shiro.spring.web.ShiroFilterFactoryBean;
import org.apache.shiro.web.mgt.DefaultWebSecurityManager;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

import java.util.HashMap;
import java.util.Map;

@Configuration
public class ShiroConfig {

    @Bean
    public ShiroFilterFactoryBean shiroFilterFactoryBean(@Qualifier("defaultWebSecurityManager") DefaultWebSecurityManager defaultWebSecurityManager) {
        ShiroFilterFactoryBean shiroFilterFactoryBean = new ShiroFilterFactoryBean();

        //設置安全管理器
        shiroFilterFactoryBean.setSecurityManager(defaultWebSecurityManager);

        //設置未認證(登錄)時,訪問需要認證的資源時跳轉的頁面
        shiroFilterFactoryBean.setLoginUrl("/loginPage");

        //設置訪問無許可權的資源時跳轉的頁面
        shiroFilterFactoryBean.setUnauthorizedUrl("/unauthorizedPage");
        
        //指定路徑和過濾器的對應關係
        Map<String, String> filterMap = new HashMap<>();
        //設置/user/login不需要登錄就能訪問
        filterMap.put("/user/login", "anon");
        //設置/user/list需要登錄用戶擁有角色user時才能訪問
        filterMap.put("/user/list", "roles[user]");
        //其他路徑則需要登錄才能訪問
        filterMap.put("/**", "authc");
        shiroFilterFactoryBean.setFilterChainDefinitionMap(filterMap);
        return shiroFilterFactoryBean;
    }

    @Bean
    public DefaultWebSecurityManager defaultWebSecurityManager(@Qualifier("realm") Realm realm) {
        DefaultWebSecurityManager defaultWebSecurityManager = new DefaultWebSecurityManager();
        defaultWebSecurityManager.setRealm(realm);
        return defaultWebSecurityManager;
    }

    @Bean
    public Realm realm() {
        MyRealm realm = new MyRealm();
        //使用HashedCredentialsMatcher帶加密的匹配器來替換原先明文密碼匹配器
        HashedCredentialsMatcher hashedCredentialsMatcher = new HashedCredentialsMatcher();
        //指定加密演算法
        hashedCredentialsMatcher.setHashAlgorithmName("MD5");
        //指定加密次數
        hashedCredentialsMatcher.setHashIterations(3);
        realm.setCredentialsMatcher(hashedCredentialsMatcher);
        return realm;
    }
}

自定義Realm

package com.cf.shiro1.config;

import org.apache.shiro.authc.*;
import org.apache.shiro.authz.AuthorizationInfo;
import org.apache.shiro.authz.SimpleAuthorizationInfo;
import org.apache.shiro.crypto.hash.SimpleHash;
import org.apache.shiro.realm.AuthorizingRealm;
import org.apache.shiro.subject.PrincipalCollection;
import org.apache.shiro.util.ByteSource;

import java.util.HashMap;
import java.util.HashSet;
import java.util.Map;
import java.util.Set;

public class MyRealm extends AuthorizingRealm {
    /**
     * 授權
     *
     * @param principalCollection
     * @return
     */
    @Override
    protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
        Object username = principalCollection.getPrimaryPrincipal();
        SimpleAuthorizationInfo simpleAuthorizationInfo = new SimpleAuthorizationInfo();
        simpleAuthorizationInfo.setRoles(getRoles(username.toString()));
        return simpleAuthorizationInfo;
    }

    /**
     * 認證
     *
     * @param authenticationToken
     * @return
     * @throws AuthenticationException
     */
    @Override
    protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authenticationToken) throws AuthenticationException {
        UsernamePasswordToken token = (UsernamePasswordToken) authenticationToken;

        String username = token.getUsername();
        Map<String, Object> userInfo = getUserInfo(username);
        if (userInfo == null) {
            throw new UnknownAccountException();
        }

        //鹽值,此處使用用戶名作為鹽
        ByteSource salt = ByteSource.Util.bytes(username);

        SimpleAuthenticationInfo authenticationInfo = new SimpleAuthenticationInfo(username, userInfo.get("password"), salt, getName());
        return authenticationInfo;
    }

    /**
     * 模擬資料庫查詢,通過用戶名獲取用戶信息
     *
     * @param username
     * @return
     */
    private Map<String, Object> getUserInfo(String username) {
        Map<String, Object> userInfo = null;
        if ("zhangsan".equals(username)) {
            userInfo = new HashMap<>();
            userInfo.put("username", "zhangsan");

            //加密演算法,原密碼,鹽值,加密次數
            userInfo.put("password", new SimpleHash("MD5", "123456", username, 3));
        }
        return userInfo;
    }

    /**
     * 模擬查詢資料庫,獲取用戶角色列表
     *
     * @param username
     * @return
     */
    private Set<String> getRoles(String username) {
        Set<String> roles = new HashSet<>();
        roles.add("user");
        roles.add("admin");
        return roles;
    }
}

Controller

package com.cf.shiro1.controller;

import org.apache.shiro.SecurityUtils;
import org.apache.shiro.authc.*;
import org.apache.shiro.subject.Subject;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

@RestController
@RequestMapping("/user")
public class UserController {

    /**
     * 登錄
     * @param username
     * @param password
     * @return
     */
    @RequestMapping("/login")
    public String userLogin(String username, String password) {
        String result;

        //獲取當前用戶
        Subject currentUser = SecurityUtils.getSubject();

        //用戶是否已經登錄,未登錄則進行登錄
        if (!currentUser.isAuthenticated()) {
            //封裝用戶輸入的用戶名和密碼
            UsernamePasswordToken usernamePasswordToken = new UsernamePasswordToken(username, password);

            try {
                //登錄,進行密碼比對,登錄失敗時將會拋出對應異常
                currentUser.login(usernamePasswordToken);
                result = "登錄成功";
            } catch (UnknownAccountException uae) {
                result = "用戶名不存在";
            } catch (IncorrectCredentialsException ice) {
                result = "密碼錯誤";
            } catch (LockedAccountException lae) {
                result = "用戶狀態異常";
            } catch (AuthenticationException ae) {
                result = "登錄失敗,請與管理員聯繫";
            }
        } else {
            result = "您已經登錄成功了";
        }

        return result;
    }

    @RequestMapping("/list")
    public String userList() {
        return "訪問我需要登錄並且需要擁有user角色!";
    }
}

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

-Advertisement-
Play Games
更多相關文章
  • 其他設計模式 JavaScript 中不常用 對應不到經典場景 原型模式 行為型 clone 自己,生成一個新對象 java 預設有 clone 介面,不用自己實現 對比 js 中的原型 prototype prototype 可以理解為 es6 class 的一種底層原理 而 class 是實現面 ...
  • 狀態模式 一個對象有狀態變化 每次狀態變化都會觸發一個邏輯 不能總是用 if...else 來控制 示例:交通信號燈的不同顏色變化 傳統的 UML 類圖 javascript 中的 UML 類圖 javascript class State { constructor(color) { this.c ...
  • 迭代器模式 順序訪問一個集合 使用者無需知道集合內部結構(封裝) jQuery 示例 傳統 UML 類圖 javascript 中的 UML 類圖 使用場景 jQuery each 上面的 jQuery 代碼就是 ES6 Iterator ES6 Iterator 為何存在? es6 語法中,有序集 ...
  • 圖解Java設計模式之設計模式七大原則 2.1 設計模式的目的 2.2 設計模式七大原則 2.3 單一職責原則 2.3.1 基本介紹 2.3.2 應用實例 2.4 介面隔離原則(Interface Segregation Principle) 2.4.1 基本介紹 2.4.2 應用實例 2.5 依賴 ...
  • 觀察者模式 發佈&訂閱 一對多 示例:點好咖啡之後坐等被叫 傳統 UML 類圖 javascript 中的 UML 類圖 應用場景 網頁事件綁定 promise jQuery callback nodejs 自定義事件 nodejs 處理文件 其他應用場景 nodejs 中:處理 http 請求,多 ...
  • 外觀模式 為子系統的一組介面提供了提個高層介面 使用者使用這個高層介面 示例:去醫院看病,接待員區掛號,門診,劃價,取藥 UML類圖 場景 設計原則驗證 + 不符合單一職責原則和開放封閉原則,因此謹慎使用,不可濫用 ...
  • 昨天簡單的看了看Unsafe的使用,今天我們看看JUC中的原子類是怎麼使用Unsafe的,以及分析一下其中的原理! 一.簡單使用AtomicLong 還記的上一篇博客中我們使用了volatile關鍵字修飾了一個int類型的變數,然後兩個線程,分別對這個變數進行10000次+1操作,最後結果不是200 ...
  • 大體流程: 1、瀏覽器向web伺服器發送HTTP請求 2、DispatcherServlet攔截所有請求,將請求地址(url)傳給HandlerMapping 3、HandlerMapping根據url-controller之間的映射關係,確定要調用的controller,並將要調用哪個contro ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...