[Spring Cloud] - Spring Security实践(二)- 自定义登录界面及鉴权

上一篇文章 [Spring Cloud] - Spring Security实践(一)- 基本概念及实践 中, 我们已经实现了基本的security鉴权和认证. 下面会在此基础上加一些自定义的配置.

  1. 抛弃自带的登陆界面, 实现自定义登陆界面 (themeleaf方式)
  2. 对资源(controller)实现更细化的鉴权操作

添加自定义登陆界面

Spring security默认使用/login方法跳转到登录界面, 我们替换login页面,只需将/login指向的界面换成自己的即可.

  • 添加themeleaf依赖

    org.springframework.boot
    spring-boot-starter-thymeleaf
  • 新建login controller
@Controller
public class Login {
    @GetMapping("/login")
    private String loginController(){
        return "login";
    }
}
  • 在项目结构的/resource/templates下新建login.html



    Spring Security Example 


Invalid username and password.
You have been logged out.

Spring security框架会拦截login的post请求

  • security的@configuration中,为以下配置
@EnableWebSecurity
public class SecurityConfiguration extends WebSecurityConfigurerAdapter {

    @Override
    protected void configure(AuthenticationManagerBuilder auth) throws Exception {
        auth.inMemoryAuthentication().passwordEncoder(new BCryptPasswordEncoder())
                .withUser("root").password(new BCryptPasswordEncoder().encode("1234")).roles("ADMIN")
                .and()
                .withUser("user").password(new BCryptPasswordEncoder().encode("123")).roles("USER");
    }

    @Override
    protected void configure(HttpSecurity http) throws Exception {
        http
                .authorizeRequests()
//                    .antMatchers("/", "/user").permitAll()
                    .antMatchers("/user").hasRole("USER")
                    .antMatchers("/admin").hasRole("ADMIN")
                    .anyRequest().authenticated()
                    .and()
                .formLogin()
                    .loginPage("/login")
                    .permitAll()
                    .and()
                .logout()
                    .permitAll();
    }
}

你可能感兴趣的:(spring-cloud)