溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

SpringBoot2 整合SpringSecurity框架是怎么實現(xiàn)用戶權限安全管理

發(fā)布時間:2021-12-18 16:20:42 來源:億速云 閱讀:137 作者:柒染 欄目:軟件技術

這篇文章給大家介紹SpringBoot2 整合SpringSecurity框架是怎么實現(xiàn)用戶權限安全管理,內(nèi)容非常詳細,感興趣的小伙伴們可以參考借鑒,希望對大家能有所幫助。

一、Security簡介

1、基礎概念

Spring Security是一個能夠為基于Spring的企業(yè)應用系統(tǒng)提供聲明式的安全訪問控制解決方案的安全框架。它提供了一組可以在Spring應用上下文中配置的Bean,充分利用了Spring的IOC,DI,AOP(面向切面編程)功能,為應用系統(tǒng)提供聲明式的安全訪問控制功能,減少了為安全控制編寫大量重復代碼的工作。

2、核心API解讀

1)、SecurityContextHolder

最基本的對象,保存著當前會話用戶認證,權限,鑒權等核心數(shù)據(jù)。SecurityContextHolder默認使用ThreadLocal策略來存儲認證信息,與線程綁定的策略。用戶退出時,自動清除當前線程的認證信息。了解springcloud架構可以加求求:三五三六二四七二五九

初始化源碼:明顯使用ThreadLocal線程。

private static void initialize() {    if (!StringUtils.hasText(strategyName)) {
        strategyName = "MODE_THREADLOCAL";
    }    if (strategyName.equals("MODE_THREADLOCAL")) {
        strategy = new ThreadLocalSecurityContextHolderStrategy();
    } else if (strategyName.equals("MODE_INHERITABLETHREADLOCAL")) {
        strategy = new InheritableThreadLocalSecurityContextHolderStrategy();
    } else if (strategyName.equals("MODE_GLOBAL")) {
        strategy = new GlobalSecurityContextHolderStrategy();
    } else {        try {
            Class<?> clazz = Class.forName(strategyName);
            Constructor<?> customStrategy = clazz.getConstructor();
            strategy = (SecurityContextHolderStrategy)customStrategy.newInstance();
        } catch (Exception var2) {
            ReflectionUtils.handleReflectionException(var2);
        }
    }
    ++initializeCount;
}

2)、Authentication

源代碼

public interface Authentication extends Principal, Serializable {
    Collection<? extends GrantedAuthority> getAuthorities();   
    Object getCredentials();  
    Object getDetails();   
    Object getPrincipal();  
    boolean isAuthenticated();    
    void setAuthenticated(boolean var1) throws IllegalArgumentException;
}

源碼分析

1)、getAuthorities,權限列表,通常是代表權限的字符串集合;
2)、getCredentials,密碼,認證之后會移出,來保證安全性;
3)、getDetails,請求的細節(jié)參數(shù);
4)、getPrincipal, 核心身份信息,一般返回UserDetails的實現(xiàn)類。

3)、UserDetails

封裝了用戶的詳細的信息。

public interface UserDetails extends Serializable {
    Collection<? extends GrantedAuthority> getAuthorities();  
     String getPassword();  
     String getUsername();    
     boolean isAccountNonExpired();   
     boolean isAccountNonLocked();   
     boolean isCredentialsNonExpired();  
     boolean isEnabled();
}

4)、UserDetailsService

實現(xiàn)該接口,自定義用戶認證流程,通常讀取數(shù)據(jù)庫,對比用戶的登錄信息,完成認證,授權。

public interface UserDetailsService {    
UserDetails loadUserByUsername(String var1) throws UsernameNotFoundException;
}

5)、AuthenticationManager

認證流程頂級接口。可以通過實現(xiàn)AuthenticationManager接口來自定義自己的認證方式,Spring提供了一個默認的實現(xiàn),ProviderManager。

public interface AuthenticationManager {   
 Authentication authenticate(Authentication var1) throws AuthenticationException;
}

二、與SpringBoot2整合

1、流程描述

1)、三個頁面分類,page1、page2、page3
2)、未登錄授權都不可以訪問
3)、登錄后根據(jù)用戶權限,訪問指定頁面
4)、對于未授權頁面,訪問返回403:資源不可用

2、核心依賴

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

3、核心配置

/**
 * EnableWebSecurity注解使得SpringMVC集成了Spring Security的web安全支持
 */@EnableWebSecuritypublic class SecurityConfig extends WebSecurityConfigurerAdapter {    /**
     * 權限配置
     */
    @Override
    protected void configure(HttpSecurity http) throws Exception {        // 配置攔截規(guī)則
        http.authorizeRequests().antMatchers("/").permitAll()
                 .antMatchers("/page1/**").hasRole("LEVEL1")
                 .antMatchers("/page2/**").hasRole("LEVEL2")
                 .antMatchers("/page3/**").hasRole("LEVEL3");        // 配置登錄功能
        http.formLogin().usernameParameter("user")
                .passwordParameter("pwd")
                .loginPage("/userLogin");        // 注銷成功跳轉(zhuǎn)首頁
        http.logout().logoutSuccessUrl("/");        //開啟記住我功能
        http.rememberMe().rememberMeParameter("remeber");
    }    /**
     * 自定義認證數(shù)據(jù)源
     */
    @Override
    protected void configure(AuthenticationManagerBuilder builder) throws Exception{
        builder.userDetailsService(userDetailService())
                .passwordEncoder(passwordEncoder());
    }    @Bean
    public UserDetailServiceImpl userDetailService (){        return new UserDetailServiceImpl () ;
    }    /**
     * 密碼加密
     */
    @Bean
    public BCryptPasswordEncoder passwordEncoder(){        return new BCryptPasswordEncoder();
    }    /*
     * 硬編碼幾個用戶
    @Autowired
    public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
        auth.inMemoryAuthentication()
                .withUser("spring").password("123456").roles("LEVEL1","LEVEL2")
                .and()
                .withUser("summer").password("123456").roles("LEVEL2","LEVEL3")
                .and()
                .withUser("autumn").password("123456").roles("LEVEL1","LEVEL3");
    }
    */}

4、認證流程

@Servicepublic class UserDetailServiceImpl implements UserDetailsService {    @Resource
    private UserRoleMapper userRoleMapper ;    @Override
    public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {        // 這里可以捕獲異常,使用異常映射,拋出指定的提示信息
        // 用戶校驗的操作
        // 假設密碼是數(shù)據(jù)庫查詢的 123
        String password = "$2a$10$XcigeMfToGQ2bqRToFtUi.sG1V.HhrJV6RBjji1yncXReSNNIPl1K";        // 假設角色是數(shù)據(jù)庫查詢的
        List<String> roleList = userRoleMapper.selectByUserName(username) ;
        List<GrantedAuthority> grantedAuthorityList = new ArrayList<>() ;        /*
         * Spring Boot 2.0 版本踩坑
         * 必須要 ROLE_ 前綴, 因為 hasRole("LEVEL1")判斷時會自動加上ROLE_前綴變成 ROLE_LEVEL1 ,
         * 如果不加前綴一般就會出現(xiàn)403錯誤
         * 在給用戶賦權限時,數(shù)據(jù)庫存儲必須是完整的權限標識ROLE_LEVEL1
         */
        if (roleList != null && roleList.size()>0){            for (String role : roleList){
                grantedAuthorityList.add(new SimpleGrantedAuthority(role)) ;
            }
        }        return new User(username,password,grantedAuthorityList);
    }
}

5、測試接口

@Controllerpublic class PageController {    /**
     * 首頁
     */
    @RequestMapping("/")   
     public String index (){       
     return "home" ;
    }  
      /**
     * 登錄頁
     */
    @RequestMapping("/userLogin")    
    public String loginPage (){        
    return "pages/login" ;
    }  
      /**
     * page1 下頁面
     */
    @PreAuthorize("hasAuthority('LEVEL1')")   
     @RequestMapping("/page1/{pageName}")    
     public String onePage (@PathVariable("pageName") String pageName){        
     return "pages/page1/"+pageName ;
    }    
    /**
     * page2 下頁面
     */
    @PreAuthorize("hasAuthority('LEVEL2')")   
     @RequestMapping("/page2/{pageName}")   
      public String twoPage (@PathVariable("pageName") String pageName){        
      return "pages/page2/"+pageName ;
    }   
     /**
     * page3 下頁面
     */
    @PreAuthorize("hasAuthority('LEVEL3')")   
     @RequestMapping("/page3/{pageName}")    
     public String threePage (@PathVariable("pageName") String pageName){        
     return "pages/page3/"+pageName ;
    }
}

6、登錄界面

這里要和Security的配置文件相對應。

<div align="center">
    <form th:action="@{/userLogin}" method="post">
        用戶名:<input name="user"/><br>
        密&nbsp;&nbsp;&nbsp;碼:<input name="pwd"><br/>
        <input type="checkbox" name="remeber"> 記住我<br/>
        <input type="submit" value="Login">
    </form></div>

關于SpringBoot2 整合SpringSecurity框架是怎么實現(xiàn)用戶權限安全管理就分享到這里了,希望以上內(nèi)容可以對大家有一定的幫助,可以學到更多知識。如果覺得文章不錯,可以把它分享出去讓更多的人看到。

向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權內(nèi)容。

AI