Spring Security Hello World Example--reference
In this tutorial, we will see how we can use Spring security to protect specific resources. This Hello World tutorial will give you a quick start to Spring Security.We will use Spring’s Java Config ( Annotation based approach) to configure the properties instead of XML configuration.
Technologies used
- Spring 4.0.3 Release
- Spring Security 3.2.3 Release
- Tomcat 7
- Java 1.6
We are going to develop a simple web application using Spring MVC. All the configurations will be done using Java Classes and there won’t be any XML configurations. Let us first start with the project structure.
Project Structure

Maven Dependencies
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 | <projectxmlns="http://maven.apache.org/POM/4.0.0"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" <modelVersion>4.0.0</modelVersion> <groupId>com.javahash.springsecurity</groupId> <artifactId>springsecurity</artifactId> <packaging>war</packaging> <version>0.0.1-SNAPSHOT</version> <name>springsecurity Maven Webapp</name><properties> <jdk.version>1.6</jdk.version> <spring.version>4.0.3.RELEASE</spring.version> <spring.security.version>3.2.3.RELEASE</spring.security.version> <jstl.version>1.2</jstl.version> </properties> <dependencies> <dependency> <groupId>javax.servlet</groupId> <artifactId>servlet-api</artifactId> <version>2.5</version> </dependency> <!-- Spring 4 dependencies --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-core</artifactId> <version>${spring.version}</version> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-web</artifactId> <version>${spring.version}</version> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-webmvc</artifactId> <version>${spring.version}</version> </dependency> <!-- Spring Security --> <dependency> <groupId>org.springframework.security</groupId> <artifactId>spring-security-web</artifactId> <version>${spring.security.version}</version> </dependency> <dependency> <groupId>org.springframework.security</groupId> <artifactId>spring-security-config</artifactId> <version>${spring.security.version}</version> </dependency> <!-- jstl for jsp page --> <dependency> <groupId>jstl</groupId> <artifactId>jstl</artifactId> <version>${jstl.version}</version> </dependency> </dependencies><build> <finalName>springsecurity</finalName> </build></project> | 
Controller
The controller will be having an unprotected URL and two URL path’s that are restricted to admin and super admin roles.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 | packagecom.javahash.controller;importorg.springframework.stereotype.Controller;importorg.springframework.web.bind.annotation.RequestMapping;importorg.springframework.web.bind.annotation.RequestMethod;importorg.springframework.web.servlet.ModelAndView;@ControllerpublicclassAppController {@RequestMapping(value = { "/", "/helloworld**"}, method = RequestMethod.GET) publicModelAndView welcomePage() { ModelAndView model = newModelAndView(); model.addObject("title", "Spring Security 3.2.3 Hello World Application"); model.addObject("message", "Welcome Page !"); model.setViewName("helloworld"); returnmodel; } @RequestMapping(value = "/protected**", method = RequestMethod.GET) publicModelAndView protectedPage() { ModelAndView model = newModelAndView(); model.addObject("title", "Spring Security 3.2.3 Hello World"); model.addObject("message", "This is protected page - Only for Administrators !"); model.setViewName("protected"); returnmodel; } @RequestMapping(value = "/confidential**", method = RequestMethod.GET) publicModelAndView superAdminPage() { ModelAndView model = newModelAndView(); model.addObject("title", "Spring Security 3.2.3 Hello World"); model.addObject("message", "This is confidential page - Need Super Admin Role !"); model.setViewName("protected"); returnmodel; }} | 
- /helloworld path is public access and there is no security constraint set on that.
- /protected is a restricted area and only user’s having admin role can access that
- /confidential is restricted and only user’s having superadmin role is able to access it
Inside each method , we create a Model ( ModelAndView instance) and return it. The view name is also set in the model. How the view name is mapped to a concrete view file ( in this case a JSP file) is the simple. We need to provide a Class having the configuration information. This is explained in the next section
Configuring the Spring MVC ( View + Security)
We need to tell Spring where to find view and how it is mapped. How do we handle security and the configuration for the same also needs to be set in Spring. All these can be accomplished using a Java Class annotated with @Configuration annotation
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 | packagecom.javahash.config;importorg.springframework.context.annotation.Bean;importorg.springframework.context.annotation.ComponentScan;importorg.springframework.context.annotation.Configuration;importorg.springframework.context.annotation.Import;importorg.springframework.web.servlet.config.annotation.EnableWebMvc;importorg.springframework.web.servlet.view.InternalResourceViewResolver;importorg.springframework.web.servlet.view.JstlView;@EnableWebMvc@Configuration@ComponentScan({ "com.javahash.*"})@Import({ AppSecurityConfig.class})publicclassViewConfig {@Bean publicInternalResourceViewResolver viewResolver() { InternalResourceViewResolver viewResolver = newInternalResourceViewResolver(); viewResolver.setViewClass(JstlView.class); viewResolver.setPrefix("/WEB-INF/views/"); viewResolver.setSuffix(".jsp"); returnviewResolver; }} | 
Above class does the following
- Declares this class as Configuration ( @Configuration)
- Instructs Spring to Scan for Components inside com.javahash.* package
- Maps a view name to /WEB-INF/views/ folder
- Sets the Suffix to be .jsp
- Imports another class that holds the security related configuration (@Import({ AppSecurityConfig.class }) )
Let us see how we configure the security part.
Security Configuration
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 | packagecom.javahash.config;importorg.springframework.beans.factory.annotation.Autowired;importorg.springframework.context.annotation.Configuration;importorg.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;importorg.springframework.security.config.annotation.web.builders.HttpSecurity;importorg.springframework.security.config.annotation.web.configuration.EnableWebSecurity;importorg.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;@Configuration@EnableWebSecuritypublicclassAppSecurityConfig extendsWebSecurityConfigurerAdapter { @Autowired publicvoidconfigureGlobal(AuthenticationManagerBuilder auth) throwsException { auth.inMemoryAuthentication().withUser("tom").password("123456").roles("USER"); auth.inMemoryAuthentication().withUser("bill").password("123456").roles("ADMIN"); auth.inMemoryAuthentication().withUser("james").password("123456").roles("SUPERADMIN"); } @Override protectedvoidconfigure(HttpSecurity http) throwsException { http.authorizeRequests() .antMatchers("/protected/**").access("hasRole('ROLE_ADMIN')") .antMatchers("/confidential/**").access("hasRole('ROLE_SUPERADMIN')") .and().formLogin(); }} | 
The most important thing to note is that this class is annotated with
- @Configuration
- @EnableWebSecurity
and it extends WebSecurityConfigurerAdapter class. The @EnableWebSecurity annotation andWebSecurityConfigurerAdapter work together to provide web based security. Spring security is configured to enable HTTP Basic and Form based authentication. Spring Security will automatically render a login page and logout success page for you. The rest of the code is self explanatory. It just configures the URLs that are restricted to authorized roles and sets the roles for the users. In this example the users and their passwords are hard coded. You can change this to grab the information from database , if required.
We now have the security configuration in AppSecurityConfig.java and the MVC configuration in ViewConfig.java. We need to make sure that the root application context includes our Security configuration. For this, the practice is to create a class that extends AbstractAnnotationConfigDispatcherServletInitializer and override a few methods. What we require is to configure particular URL patterns to pass through our security layer. Traditional approach is to configure a servlet filter and in the filter we check for the security credentials. With the introduction of Servlet 3.x we are no longer required to declare the filter in web.xml and we can manage the entire configuration via Java classes. The AbstractAnnotationConfigDispatcherServletInitializer helps with this.
| 1 2 3 4 5 6 | packagecom.javahash.config;importorg.springframework.security.web.context.AbstractSecurityWebApplicationInitializer;publicclassSecurityInit extendsAbstractSecurityWebApplicationInitializer {} | 
The above code is equivalent to
| 1 2 3 4 5 6 7 8 9 10 11 12 13 | <filter> <filter-name>springSecurityFilterChain</filter-name> <filter-class> org.springframework.web.filter.DelegatingFilterProxy </filter-class></filter><filter-mapping> <filter-name>springSecurityFilterChain</filter-name> <url-pattern>/*</url-pattern> <dispatcher>ERROR</dispatcher> <dispatcher>REQUEST</dispatcher></filter-mapping> | 
We have now configured security and other MVC configuration. What is left is to configure the DispatcherSerlvet that is used to initialize the Spring MVC framework and map the URL patterns for Dispatcher Servlet. Tradional approach was to declare the DispatcherServlet in the web.xml and provide URL mappings for it. We can do away with web.xml configuration and instead use a Java Class to do this Job. This is our next step
Configuring the Dispatcher Servlet
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 | packagecom.javahash.config;importorg.springframework.web.servlet.support.AbstractAnnotationConfigDispatcherServletInitializer;publicclassMVCInitializer extendsAbstractAnnotationConfigDispatcherServletInitializer {@Override protectedClass<?>[] getRootConfigClasses() { returnnewClass[] { ViewConfig.class}; } @Override protectedClass<?>[] getServletConfigClasses() { returnnull; } @Override protectedString[] getServletMappings() { returnnewString[] { "/"}; }} | 
Here we have configured the servlet mapping as “/” and so all requests will be intercepted by the Spring Dispatcher Servlet.
Things to Note:
Our class extends AbstractAnnotationConfigDispatcherServletInitializer
getRootConfigClasses method returns our Configuration class ( ViewConfig.class)
The only activity left is to develop the views and test the application.
Developing the View (JSP)
The views are very simple – it just prints the message and the title returned in the model. We use JSTL in the views to print the data.
helloworld.jsp
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 | <%@ page language="java" contentType="text/html; charset=ISO-8859-1" pageEncoding="ISO-8859-1"%><!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"><html><head><meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1"><title>Hello World</title></head><body> <h1>Title : ${title}</h1> <h1>Message : ${message}</h1></body></html> | 
protected.jsp
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 | <%@ page isELIgnored="false" %><%@ page language="java" contentType="text/html; charset=ISO-8859-1" pageEncoding="ISO-8859-1"%><%@taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core"%><!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"><html><head><meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1"><title>Protected page</title></head><body> <h1>Title : ${title}</h1> <h1>Message : ${message}</h1> <c:if test="${pageContext.request.userPrincipal.name != null}"> <h2>Welcome : ${pageContext.request.userPrincipal.name} | <a href="<c:url value="/logout" />" > Logout</a></h2> </c:if></body></html> | 
Demonstration
http://localhost:8080/springsecurity-0.0.1-SNAPSHOT/helloworld/

No security for helloworld.
When you change the URL to http://localhost:8080/springsecurity-0.0.1-SNAPSHOT/protected/ Spring Security kicks in and redirect to /login, and a default login form is displayed. If username and password supplied is incorrect, error messages will be displayed, and Spring will redirect to the URL /login?error.
For unauthorized user, Spring will display the 403 access denied page

Recap – Configurations
- Declare the Security Configuration (AppSecurityConfig.java)
- Declare the View Configuration ( ViewConfig.java)
- Declare the Security Filter Configuration (SecurityInit.java)
- Declare the Spring Dispatcher Servlet Configuration (MVCInitializer.java)
Download Source Code
Download - Spring Security Source Code ( 7.37 KB)
reference from:http://javahash.com/spring-security-hello-world-example/
Spring Security Hello World Example--reference的更多相关文章
- Apache Shiro和Spring Security的详细对比
		参考资料: 1)Apache Shiro Apache Shiro:http://shiro.apache.org/ 在Web项目中应用 Apache Shiro:http://www.ibm.com ... 
- Spring MVC Integration,Spring Security
		http://docs.spring.io/spring-security/site/docs/4.2.0.RELEASE/reference/htmlsingle/#authorize-reque ... 
- spring security之httpSecurity使用示例
		如果在HttpSecurity中配置需要authenticate(),则如果没有登陆,或没有相关权限,则会无法访问 2017-01-02 23:39:32.027 DEBUG 10396 --- [n ... 
- REST Security with JWT using Java and Spring Security
		Security Security is the enemy of convenience, and vice versa. This statement is true for any system ... 
- SpringMVC 3.1集成Spring Security 3.1
		这篇算是一个入门文章,昨天看见有网友提问,spring mvc集成spring security 的时候出错,揣测了一下问题木有解决.我就帮忙给搭建了一个集成框架他说可以,他告诉我这样的文章网上少.今 ... 
- 【Spring】关于Boot应用中集成Spring Security你必须了解的那些事
		Spring Security Spring Security是Spring社区的一个顶级项目,也是Spring Boot官方推荐使用的Security框架.除了常规的Authentication和A ... 
- Cross Site Request Forgery (CSRF)--spring security -转
		http://docs.spring.io/spring-security/site/docs/3.2.0.CI-SNAPSHOT/reference/html/csrf.html 13. Cross ... 
- Spring Boot整合Spring Security
		Spring Boot对于该家族的框架支持良好,但是当中本人作为小白配置还是有一点点的小问题,这里分享一下.这个项目是使用之前发布的Spring Boot会员管理系统重新改装,将之前filter登录验 ... 
- Spring Security 集成 CAS(基于HTTP协议版本)
		Spring Security 集成 CAS(基于HTTP协议版本) 近段时间一直研究Spring Security 集成 CAS,网上资料相关资料也很多,不过大都是基于Https的安全认证;使用ht ... 
- What is the best way to handle Invalid CSRF token found in the request when session times out in Spring security
		18.5.1 Timeouts One issue is that the expected CSRF token is stored in the HttpSession, so as soon a ... 
随机推荐
- Maximum Subarray LT53
			Given an integer array nums, find the contiguous subarray (containing at least one number) which has ... 
- 微信小程序获取当前位置
			详细参数说明请看小程序api文档:https://developers.weixin.qq.com/miniprogram/dev/api/wx.openLocation.html wx.getLoc ... 
- 【UI测试】--多窗口&系统资源
- java基本知识归集
			类中可以有几种东西:属性,方法,构造器,初始化块 new创建对象时, 1.类属性和类初始化块分配空间. 2.执行默认初始化 如有父类,先为父类执行父类自己的1和2步骤,再执行上面的1和2. 一个类执行 ... 
- HACK字体安装
			参考:https://github.com/source-foundry/Hack Linux的 下载最新版本的Hack. 从存档中提取文件(.zip). 将字体文件复制到系统字体文件夹(通常/usr ... 
- js中实现   复制到剪切板   功能
			一:引包 <script type="text/javascript" src="jquery.js"></script> <sc ... 
- Python之入门篇1
			一.安装python解释器 官网: https://www.python.org/downloads/windows/ 自行下载安装,添加环境变量 #测试安装是否成功 windows --> 运 ... 
- windows中当你的键盘无法使用时我们可以用另一种方法哦
			1.使用Win+R打开cmd窗口 2.输入osk回车就出现了一个虚拟的小键盘啦,当你的键盘坏掉后非常实用哦 
- 2019.02.07 bzoj4316: 小C的独立集(仙人掌+树形dp)
			传送门 题意:给出一个仙人掌森林求其最大独立集. 思路:如果没有环可以用经典的树形dpdpdp解决. fi,0/1f_{i,0/1}fi,0/1表示第iii个点不选/选的最大独立集. 然后fi,0+ ... 
- 删除GitHub中的项目
			1.找到要删除的项目 2.点击settings,下拉到底部 3.点击delete this repository,输入你要删除的项目名称 
