2016-12-14 11 views
-2

Я читал о весенней безопасности, также видел некоторые примеры, но я не могу заставить ее работать ... Я не уверен, что я что-то упустил. Пожалуйста, я буду признателен за некоторые объяснения, потому что мне трудно понять это.Конфигурация и форма ввода конфигурации Spring Security

Использование Spring mvc 4.3.3, Spring Security 4.2.0, Tiles 3, CSS, Java 1.7, Eclipse neon.

1.- Моя первая страница - это страница входа (я не использую домашнюю страницу или индекс).

2.- Я хочу, чтобы Spring Security принимала пользователей и проходила мимо моего входа (первая страница, показанная в браузере), также я использую <form action="<c:url value='j_spring_security_check' />" method="post"> в своем логине, но что-то не так.

enter image description here

3.- Я хочу, чтобы перенаправить на ту же точку зрения для всех пользователей/MyPanel (я изменю меню acording к роли пользователя)

структуры;

enter image description here

Классы (удаленный импорт и пакеты); UPDATE:

ApplicationContextConfig.java

@Configuration 
@ComponentScan("mx.com.myapp.*") 
@Import({ SecurityConfig.class }) 
public class ApplicationContextConfig { 

    @Bean(name = "viewResolver") 
    public ViewResolver getViewResolver() { 
     UrlBasedViewResolver viewResolver = new UrlBasedViewResolver(); 

     // TilesView 3 
     viewResolver.setViewClass(TilesView.class); 

     return viewResolver; 
    } 

    @Bean(name = "tilesConfigurer") 
    public TilesConfigurer getTilesConfigurer() { 
     TilesConfigurer tilesConfigurer = new TilesConfigurer(); 

     // TilesView 3 
     tilesConfigurer.setDefinitions("/WEB-INF/tiles.xml"); 

     return tilesConfigurer; 
    } 

WebMvcConfig.java:

@Configuration 
//@EnableWebMvc 
public class WebMvcConfig extends WebMvcConfigurerAdapter { 

// @Override 
// public void addResourceHandlers(ResourceHandlerRegistry registry) { 
// 
//  // Default.. 
// } 
// 
// @Override 
// public void configureDefaultServletHandling(DefaultServletHandlerConfigurer configurer) { 
//  configurer.enable(); 
// } 
    @Override 
    public void addViewControllers(ViewControllerRegistry registry) { 
     registry.addViewController("/login").setViewName("login"); 
    } 
} 

SpringWebAppInitializer.java

public class SpringWebAppInitializer implements WebApplicationInitializer { 

    @Override 
    public void onStartup(ServletContext servletContext) throws ServletException { 
     AnnotationConfigWebApplicationContext appContext = new AnnotationConfigWebApplicationContext(); 
     appContext.register(ApplicationContextConfig.class); 

     ServletRegistration.Dynamic dispatcher = servletContext.addServlet("SpringDispatcher", 
       new DispatcherServlet(appContext)); 
     dispatcher.setLoadOnStartup(1); 
     dispatcher.addMapping("/"); 

     // UtF8 Charactor Filter. 
     FilterRegistration.Dynamic fr = servletContext.addFilter("encodingFilter", CharacterEncodingFilter.class); 

     fr.setInitParameter("encoding", "UTF-8"); 
     fr.setInitParameter("forceEncoding", "true"); 
     fr.addMappingForUrlPatterns(null, true, "/*"); 
    } 

} 

SpringSecurityInitializer.java

public class SpringSecurityInitializer extends AbstractSecurityWebApplicationInitializer { 

} 

SecurityConfig.java

@Configuration 
@EnableWebSecurity 
public class SecurityConfig extends WebSecurityConfigurerAdapter { 

    @Autowired 
    public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception { 
     auth.inMemoryAuthentication() 
        .withUser("mkyong").password("123456").roles("ADMIN"); 
     System.out.println("SpringSecurity ConfigureGlobal"); 
    } 

    // .csrf() is optional, enabled by default, if using WebSecurityConfigurerAdapter constructor 
// @Override 
// protected void configure(HttpSecurity http) throws Exception { 
// 
//  System.out.println("SpringSecurity configure"); 
//  http.authorizeRequests() 
//  .antMatchers("/").permitAll() 
//  .antMatchers("/myPanel**").access("hasRole('ADMIN')") 
//  .and().formLogin() 
//    .usernameParameter("username").passwordParameter("password") 
//    .permitAll() 
//  .and() 
//   .csrf(); 
// } 

    @Override 
    protected void configure(HttpSecurity http) throws Exception { 
     http.authorizeRequests().anyRequest().fullyAuthenticated().and().formLogin() 
       .loginPage("/login").failureUrl("/login?error").permitAll().and() 
       .logout().permitAll(); 
    } 

    @Override 
    public void configure(WebSecurity web) throws Exception { 
     web.ignoring().antMatchers("/path/**"); 
    } 
} 

MyController.java

@Controller 
public class MyController { 

    @RequestMapping(value = { "/" }) 
    public String loginPage(Model model) { 
     return "loginPage"; 
    } 

    @RequestMapping(value = { "/myPanel" }, method = RequestMethod.POST) 
    public ModelAndView myPanel(HttpServletRequest request, HttpServletResponse response) { 
     System.out.println("INICIA REQUEST"); 

     System.out.println("-------- " + request.getParameter("user")); 


     String message = "<br><div style='text-align:center;'>" 
       + "<h3>********** This is protected page!</h3> **********</div><br><br>"; 

     System.out.println("TERMINA REQUEST"); 
     return new ModelAndView("homePage", "message", message); 
    } 

    //Spring Security see this : 
    @RequestMapping(value = "/login", method = RequestMethod.POST) 
    public ModelAndView login(
     @RequestParam(value = "error", required = false) String error, 
     @RequestParam(value = "logout", required = false) String logout) { 

     System.out.println("/login SpringSecurity"); 

     ModelAndView model = new ModelAndView(); 
     if (error != null) { 
      model.addObject("error", "Invalid username and password!"); 
     } 

     if (logout != null) { 
      model.addObject("msg", "You've been logged out successfully."); 
     } 
     model.setViewName("homePage"); 

     return model; 
    } 
} 

login.jsp

<form action="<c:url value='/login' />" method="post"> 

       <c:if test="${not empty error}"> 
        <div class="error">${error}</div> 
       </c:if> 
       <c:if test="${not empty msg}"> 
        <div class="msg">${msg}</div> 
       </c:if> 

       <input type="text" name="username" placeholder="Username" required="required" class="input-txt" /> 
       <input type="password" name="password" placeholder="Password" required="required" class="input-txt" /> 
       <div class="login-footer"> 
        <input type="hidden" name="${_csrf.parameterName}" value="${_csrf.token}" /> 
        <strong><a href="#" class="lnk">I've forgotten something</a> | 
        <a href="#" class="lnk">Register</a></strong> 
        <button type="submit" class="btn btn--right">Sign in</button> 
       </div> 
       </form> 

Большое спасибо заранее.

+0

Я подозреваю вас необходимо, чтобы formlogin указывал на/login, но рампа регистрируется на весенней безопасности, и он скажет вам, где это s ищет login.html. – farrellmr

+0

Но если я сделаю это, он вернет мне право на вход? ведь мой логин - моя первая страница. : confused: – Dr3ko

ответ

0

Вашего недостающее разрешение все на странице входа -

@Override 
protected void configure(HttpSecurity http) throws Exception { 

    System.out.println("SpringSecurity configure"); 
    http.authorizeRequests() 
    .antMatchers("/").permitAll() 
    .antMatchers("/myPanel**").access("hasRole('ADMIN')") 
    .and().formLogin() 
      .usernameParameter("username").passwordParameter("password") 
      .permitAll() 
    .and() 
     .csrf(); 
} 
+1

Эй, farrellmr, все еще получая 404: s – Dr3ko

-1

кажется, что ваша установка довольно чрезмерно сложным, попытайтесь упростить.

Spring конфигурации безопасности:

@Configuration 
    public static class WebFormSecurity extends WebSecurityConfigurerAdapter { 

     @Override 
     protected void configure(HttpSecurity http) throws Exception { 
      http.authorizeRequests().anyRequest().fullyAuthenticated().and().formLogin() 
        .loginPage("/login").failureUrl("/login?error").permitAll().and() 
        .logout().permitAll(); 
     } 
    } 

игнорировать общественные ресурсы

@Override 
    public void configure(WebSecurity web) throws Exception { 
     web.ignoring().antMatchers("/path/**"); 
    } 

И MVC конфигурации, вы не должны иметь реализацию /login действия:

@Configuration 
public class MvcConfig extends WebMvcConfigurerAdapter { 

    @Override 
    public void addViewControllers(ViewControllerRegistry registry) { 
     registry.addViewController("/login").setViewName("login"); 
    } 
} 
+1

На мгновение я его сработал, но нет ... о, мой кокоро ... может быть что-то не так с моей jsp?

Dr3ko