├── DB_Dump.sql
├── README.md
├── spring-security-auth-server
├── .gitignore
├── .mvn
│ └── wrapper
│ │ ├── maven-wrapper.jar
│ │ └── maven-wrapper.properties
├── mvnw
├── mvnw.cmd
├── pom.xml
└── src
│ ├── main
│ ├── java
│ │ └── com
│ │ │ └── techprimers
│ │ │ └── security
│ │ │ └── springsecurityauthserver
│ │ │ ├── HelloResource.java
│ │ │ ├── SpringSecurityAuthServerApplication.java
│ │ │ ├── config
│ │ │ ├── AuthorizationServerConfig.java
│ │ │ └── ResourceServerConfig.java
│ │ │ ├── model
│ │ │ ├── CustomUserDetails.java
│ │ │ ├── Role.java
│ │ │ └── Users.java
│ │ │ ├── repository
│ │ │ └── UsersRepository.java
│ │ │ └── service
│ │ │ └── CustomUserDetailsService.java
│ └── resources
│ │ └── application.properties
│ └── test
│ └── java
│ └── com
│ └── techprimers
│ └── security
│ └── springsecurityauthserver
│ └── SpringSecurityAuthServerApplicationTests.java
└── spring-security-client
├── .gitignore
├── .mvn
└── wrapper
│ ├── maven-wrapper.jar
│ └── maven-wrapper.properties
├── mvnw
├── mvnw.cmd
├── pom.xml
└── src
├── main
├── java
│ └── com
│ │ └── techprimers
│ │ └── security
│ │ └── springsecurityclient
│ │ ├── SpringSecurityClientApplication.java
│ │ └── config
│ │ ├── OauthConfig.java
│ │ └── WebConfig.java
└── resources
│ ├── application.properties
│ ├── application.yml
│ └── templates
│ ├── index.html
│ └── secure.html
└── test
└── java
└── com
└── techprimers
└── security
└── springsecurityclient
└── SpringSecurityClientApplicationTests.java
/DB_Dump.sql:
--------------------------------------------------------------------------------
1 | # ************************************************************
2 | # Sequel Pro SQL dump
3 | # Version 4541
4 | #
5 | # http://www.sequelpro.com/
6 | # https://github.com/sequelpro/sequelpro
7 | #
8 | # Host: 127.0.0.1 (MySQL 5.6.35)
9 | # Database: test
10 | # Generation Time: 2017-11-09 16:39:29 +0000
11 | # ************************************************************
12 |
13 |
14 | /*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
15 | /*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
16 | /*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
17 | /*!40101 SET NAMES utf8 */;
18 | /*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
19 | /*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
20 | /*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
21 |
22 |
23 | # Dump of table role
24 | # ------------------------------------------------------------
25 |
26 | DROP TABLE IF EXISTS `role`;
27 |
28 | CREATE TABLE `role` (
29 | `role_id` int(11) NOT NULL AUTO_INCREMENT,
30 | `role` varchar(255) DEFAULT NULL,
31 | PRIMARY KEY (`role_id`)
32 | ) ENGINE=InnoDB DEFAULT CHARSET=latin1;
33 |
34 | LOCK TABLES `role` WRITE;
35 | /*!40000 ALTER TABLE `role` DISABLE KEYS */;
36 |
37 | INSERT INTO `role` (`role_id`, `role`)
38 | VALUES
39 | (1,'ADMIN');
40 |
41 | /*!40000 ALTER TABLE `role` ENABLE KEYS */;
42 | UNLOCK TABLES;
43 |
44 |
45 | # Dump of table user
46 | # ------------------------------------------------------------
47 |
48 | DROP TABLE IF EXISTS `user`;
49 |
50 | CREATE TABLE `user` (
51 | `user_id` int(11) NOT NULL AUTO_INCREMENT,
52 | `active` int(11) DEFAULT NULL,
53 | `email` varchar(255) NOT NULL,
54 | `last_name` varchar(255) NOT NULL,
55 | `name` varchar(255) NOT NULL,
56 | `password` varchar(255) NOT NULL,
57 | PRIMARY KEY (`user_id`)
58 | ) ENGINE=InnoDB DEFAULT CHARSET=latin1;
59 |
60 | LOCK TABLES `user` WRITE;
61 | /*!40000 ALTER TABLE `user` DISABLE KEYS */;
62 |
63 | INSERT INTO `user` (`user_id`, `active`, `email`, `last_name`, `name`, `password`)
64 | VALUES
65 | (1,1,'admin@gmail.com','s','Sam','sam'),
66 | (2,1,'admin@gmail.com','s','youtube','youtube');
67 |
68 | /*!40000 ALTER TABLE `user` ENABLE KEYS */;
69 | UNLOCK TABLES;
70 |
71 |
72 | # Dump of table user_role
73 | # ------------------------------------------------------------
74 |
75 | DROP TABLE IF EXISTS `user_role`;
76 |
77 | CREATE TABLE `user_role` (
78 | `user_id` int(11) NOT NULL,
79 | `role_id` int(11) NOT NULL,
80 | PRIMARY KEY (`user_id`,`role_id`),
81 | UNIQUE KEY `UK_it77eq964jhfqtu54081ebtio` (`role_id`),
82 | CONSTRAINT `FK859n2jvi8ivhui0rl0esws6o` FOREIGN KEY (`user_id`) REFERENCES `user` (`user_id`),
83 | CONSTRAINT `FKa68196081fvovjhkek5m97n3y` FOREIGN KEY (`role_id`) REFERENCES `role` (`role_id`)
84 | ) ENGINE=InnoDB DEFAULT CHARSET=latin1;
85 |
86 | LOCK TABLES `user_role` WRITE;
87 | /*!40000 ALTER TABLE `user_role` DISABLE KEYS */;
88 |
89 | INSERT INTO `user_role` (`user_id`, `role_id`)
90 | VALUES
91 | (1,1);
92 |
93 | /*!40000 ALTER TABLE `user_role` ENABLE KEYS */;
94 | UNLOCK TABLES;
95 |
96 |
97 |
98 | /*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
99 | /*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
100 | /*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
101 | /*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
102 | /*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
103 | /*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
104 |
105 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # Spring Security OAuth Example
2 |
3 | - `spring-security-client` - Client Project which has the UI
4 | - `spring-security-auth-server` - Has the Authorization Server and Resource Server using MySQL DB
5 | - `http://localhost:8082/ui` - REST end point for UI which will take you to the secure URI `http://localhost:8082/secure` after logging into the auth server `http://localhost:8081/auth/login`
6 |
--------------------------------------------------------------------------------
/spring-security-auth-server/.gitignore:
--------------------------------------------------------------------------------
1 | target/
2 | !.mvn/wrapper/maven-wrapper.jar
3 |
4 | ### STS ###
5 | .apt_generated
6 | .classpath
7 | .factorypath
8 | .project
9 | .settings
10 | .springBeans
11 |
12 | ### IntelliJ IDEA ###
13 | .idea
14 | *.iws
15 | *.iml
16 | *.ipr
17 |
18 | ### NetBeans ###
19 | nbproject/private/
20 | build/
21 | nbbuild/
22 | dist/
23 | nbdist/
24 | .nb-gradle/
--------------------------------------------------------------------------------
/spring-security-auth-server/.mvn/wrapper/maven-wrapper.jar:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/TechPrimers/spring-security-oauth-mysql-example/c77bb2f7efae307d84796f90b8548e77b10bec8a/spring-security-auth-server/.mvn/wrapper/maven-wrapper.jar
--------------------------------------------------------------------------------
/spring-security-auth-server/.mvn/wrapper/maven-wrapper.properties:
--------------------------------------------------------------------------------
1 | distributionUrl=https://repo1.maven.org/maven2/org/apache/maven/apache-maven/3.5.0/apache-maven-3.5.0-bin.zip
2 |
--------------------------------------------------------------------------------
/spring-security-auth-server/mvnw:
--------------------------------------------------------------------------------
1 | #!/bin/sh
2 | # ----------------------------------------------------------------------------
3 | # Licensed to the Apache Software Foundation (ASF) under one
4 | # or more contributor license agreements. See the NOTICE file
5 | # distributed with this work for additional information
6 | # regarding copyright ownership. The ASF licenses this file
7 | # to you under the Apache License, Version 2.0 (the
8 | # "License"); you may not use this file except in compliance
9 | # with the License. You may obtain a copy of the License at
10 | #
11 | # http://www.apache.org/licenses/LICENSE-2.0
12 | #
13 | # Unless required by applicable law or agreed to in writing,
14 | # software distributed under the License is distributed on an
15 | # "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
16 | # KIND, either express or implied. See the License for the
17 | # specific language governing permissions and limitations
18 | # under the License.
19 | # ----------------------------------------------------------------------------
20 |
21 | # ----------------------------------------------------------------------------
22 | # Maven2 Start Up Batch script
23 | #
24 | # Required ENV vars:
25 | # ------------------
26 | # JAVA_HOME - location of a JDK home dir
27 | #
28 | # Optional ENV vars
29 | # -----------------
30 | # M2_HOME - location of maven2's installed home dir
31 | # MAVEN_OPTS - parameters passed to the Java VM when running Maven
32 | # e.g. to debug Maven itself, use
33 | # set MAVEN_OPTS=-Xdebug -Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=8000
34 | # MAVEN_SKIP_RC - flag to disable loading of mavenrc files
35 | # ----------------------------------------------------------------------------
36 |
37 | if [ -z "$MAVEN_SKIP_RC" ] ; then
38 |
39 | if [ -f /etc/mavenrc ] ; then
40 | . /etc/mavenrc
41 | fi
42 |
43 | if [ -f "$HOME/.mavenrc" ] ; then
44 | . "$HOME/.mavenrc"
45 | fi
46 |
47 | fi
48 |
49 | # OS specific support. $var _must_ be set to either true or false.
50 | cygwin=false;
51 | darwin=false;
52 | mingw=false
53 | case "`uname`" in
54 | CYGWIN*) cygwin=true ;;
55 | MINGW*) mingw=true;;
56 | Darwin*) darwin=true
57 | # Use /usr/libexec/java_home if available, otherwise fall back to /Library/Java/Home
58 | # See https://developer.apple.com/library/mac/qa/qa1170/_index.html
59 | if [ -z "$JAVA_HOME" ]; then
60 | if [ -x "/usr/libexec/java_home" ]; then
61 | export JAVA_HOME="`/usr/libexec/java_home`"
62 | else
63 | export JAVA_HOME="/Library/Java/Home"
64 | fi
65 | fi
66 | ;;
67 | esac
68 |
69 | if [ -z "$JAVA_HOME" ] ; then
70 | if [ -r /etc/gentoo-release ] ; then
71 | JAVA_HOME=`java-config --jre-home`
72 | fi
73 | fi
74 |
75 | if [ -z "$M2_HOME" ] ; then
76 | ## resolve links - $0 may be a link to maven's home
77 | PRG="$0"
78 |
79 | # need this for relative symlinks
80 | while [ -h "$PRG" ] ; do
81 | ls=`ls -ld "$PRG"`
82 | link=`expr "$ls" : '.*-> \(.*\)$'`
83 | if expr "$link" : '/.*' > /dev/null; then
84 | PRG="$link"
85 | else
86 | PRG="`dirname "$PRG"`/$link"
87 | fi
88 | done
89 |
90 | saveddir=`pwd`
91 |
92 | M2_HOME=`dirname "$PRG"`/..
93 |
94 | # make it fully qualified
95 | M2_HOME=`cd "$M2_HOME" && pwd`
96 |
97 | cd "$saveddir"
98 | # echo Using m2 at $M2_HOME
99 | fi
100 |
101 | # For Cygwin, ensure paths are in UNIX format before anything is touched
102 | if $cygwin ; then
103 | [ -n "$M2_HOME" ] &&
104 | M2_HOME=`cygpath --unix "$M2_HOME"`
105 | [ -n "$JAVA_HOME" ] &&
106 | JAVA_HOME=`cygpath --unix "$JAVA_HOME"`
107 | [ -n "$CLASSPATH" ] &&
108 | CLASSPATH=`cygpath --path --unix "$CLASSPATH"`
109 | fi
110 |
111 | # For Migwn, ensure paths are in UNIX format before anything is touched
112 | if $mingw ; then
113 | [ -n "$M2_HOME" ] &&
114 | M2_HOME="`(cd "$M2_HOME"; pwd)`"
115 | [ -n "$JAVA_HOME" ] &&
116 | JAVA_HOME="`(cd "$JAVA_HOME"; pwd)`"
117 | # TODO classpath?
118 | fi
119 |
120 | if [ -z "$JAVA_HOME" ]; then
121 | javaExecutable="`which javac`"
122 | if [ -n "$javaExecutable" ] && ! [ "`expr \"$javaExecutable\" : '\([^ ]*\)'`" = "no" ]; then
123 | # readlink(1) is not available as standard on Solaris 10.
124 | readLink=`which readlink`
125 | if [ ! `expr "$readLink" : '\([^ ]*\)'` = "no" ]; then
126 | if $darwin ; then
127 | javaHome="`dirname \"$javaExecutable\"`"
128 | javaExecutable="`cd \"$javaHome\" && pwd -P`/javac"
129 | else
130 | javaExecutable="`readlink -f \"$javaExecutable\"`"
131 | fi
132 | javaHome="`dirname \"$javaExecutable\"`"
133 | javaHome=`expr "$javaHome" : '\(.*\)/bin'`
134 | JAVA_HOME="$javaHome"
135 | export JAVA_HOME
136 | fi
137 | fi
138 | fi
139 |
140 | if [ -z "$JAVACMD" ] ; then
141 | if [ -n "$JAVA_HOME" ] ; then
142 | if [ -x "$JAVA_HOME/jre/sh/java" ] ; then
143 | # IBM's JDK on AIX uses strange locations for the executables
144 | JAVACMD="$JAVA_HOME/jre/sh/java"
145 | else
146 | JAVACMD="$JAVA_HOME/bin/java"
147 | fi
148 | else
149 | JAVACMD="`which java`"
150 | fi
151 | fi
152 |
153 | if [ ! -x "$JAVACMD" ] ; then
154 | echo "Error: JAVA_HOME is not defined correctly." >&2
155 | echo " We cannot execute $JAVACMD" >&2
156 | exit 1
157 | fi
158 |
159 | if [ -z "$JAVA_HOME" ] ; then
160 | echo "Warning: JAVA_HOME environment variable is not set."
161 | fi
162 |
163 | CLASSWORLDS_LAUNCHER=org.codehaus.plexus.classworlds.launcher.Launcher
164 |
165 | # traverses directory structure from process work directory to filesystem root
166 | # first directory with .mvn subdirectory is considered project base directory
167 | find_maven_basedir() {
168 |
169 | if [ -z "$1" ]
170 | then
171 | echo "Path not specified to find_maven_basedir"
172 | return 1
173 | fi
174 |
175 | basedir="$1"
176 | wdir="$1"
177 | while [ "$wdir" != '/' ] ; do
178 | if [ -d "$wdir"/.mvn ] ; then
179 | basedir=$wdir
180 | break
181 | fi
182 | # workaround for JBEAP-8937 (on Solaris 10/Sparc)
183 | if [ -d "${wdir}" ]; then
184 | wdir=`cd "$wdir/.."; pwd`
185 | fi
186 | # end of workaround
187 | done
188 | echo "${basedir}"
189 | }
190 |
191 | # concatenates all lines of a file
192 | concat_lines() {
193 | if [ -f "$1" ]; then
194 | echo "$(tr -s '\n' ' ' < "$1")"
195 | fi
196 | }
197 |
198 | BASE_DIR=`find_maven_basedir "$(pwd)"`
199 | if [ -z "$BASE_DIR" ]; then
200 | exit 1;
201 | fi
202 |
203 | export MAVEN_PROJECTBASEDIR=${MAVEN_BASEDIR:-"$BASE_DIR"}
204 | echo $MAVEN_PROJECTBASEDIR
205 | MAVEN_OPTS="$(concat_lines "$MAVEN_PROJECTBASEDIR/.mvn/jvm.config") $MAVEN_OPTS"
206 |
207 | # For Cygwin, switch paths to Windows format before running java
208 | if $cygwin; then
209 | [ -n "$M2_HOME" ] &&
210 | M2_HOME=`cygpath --path --windows "$M2_HOME"`
211 | [ -n "$JAVA_HOME" ] &&
212 | JAVA_HOME=`cygpath --path --windows "$JAVA_HOME"`
213 | [ -n "$CLASSPATH" ] &&
214 | CLASSPATH=`cygpath --path --windows "$CLASSPATH"`
215 | [ -n "$MAVEN_PROJECTBASEDIR" ] &&
216 | MAVEN_PROJECTBASEDIR=`cygpath --path --windows "$MAVEN_PROJECTBASEDIR"`
217 | fi
218 |
219 | WRAPPER_LAUNCHER=org.apache.maven.wrapper.MavenWrapperMain
220 |
221 | exec "$JAVACMD" \
222 | $MAVEN_OPTS \
223 | -classpath "$MAVEN_PROJECTBASEDIR/.mvn/wrapper/maven-wrapper.jar" \
224 | "-Dmaven.home=${M2_HOME}" "-Dmaven.multiModuleProjectDirectory=${MAVEN_PROJECTBASEDIR}" \
225 | ${WRAPPER_LAUNCHER} $MAVEN_CONFIG "$@"
226 |
--------------------------------------------------------------------------------
/spring-security-auth-server/mvnw.cmd:
--------------------------------------------------------------------------------
1 | @REM ----------------------------------------------------------------------------
2 | @REM Licensed to the Apache Software Foundation (ASF) under one
3 | @REM or more contributor license agreements. See the NOTICE file
4 | @REM distributed with this work for additional information
5 | @REM regarding copyright ownership. The ASF licenses this file
6 | @REM to you under the Apache License, Version 2.0 (the
7 | @REM "License"); you may not use this file except in compliance
8 | @REM with the License. You may obtain a copy of the License at
9 | @REM
10 | @REM http://www.apache.org/licenses/LICENSE-2.0
11 | @REM
12 | @REM Unless required by applicable law or agreed to in writing,
13 | @REM software distributed under the License is distributed on an
14 | @REM "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
15 | @REM KIND, either express or implied. See the License for the
16 | @REM specific language governing permissions and limitations
17 | @REM under the License.
18 | @REM ----------------------------------------------------------------------------
19 |
20 | @REM ----------------------------------------------------------------------------
21 | @REM Maven2 Start Up Batch script
22 | @REM
23 | @REM Required ENV vars:
24 | @REM JAVA_HOME - location of a JDK home dir
25 | @REM
26 | @REM Optional ENV vars
27 | @REM M2_HOME - location of maven2's installed home dir
28 | @REM MAVEN_BATCH_ECHO - set to 'on' to enable the echoing of the batch commands
29 | @REM MAVEN_BATCH_PAUSE - set to 'on' to wait for a key stroke before ending
30 | @REM MAVEN_OPTS - parameters passed to the Java VM when running Maven
31 | @REM e.g. to debug Maven itself, use
32 | @REM set MAVEN_OPTS=-Xdebug -Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=8000
33 | @REM MAVEN_SKIP_RC - flag to disable loading of mavenrc files
34 | @REM ----------------------------------------------------------------------------
35 |
36 | @REM Begin all REM lines with '@' in case MAVEN_BATCH_ECHO is 'on'
37 | @echo off
38 | @REM enable echoing my setting MAVEN_BATCH_ECHO to 'on'
39 | @if "%MAVEN_BATCH_ECHO%" == "on" echo %MAVEN_BATCH_ECHO%
40 |
41 | @REM set %HOME% to equivalent of $HOME
42 | if "%HOME%" == "" (set "HOME=%HOMEDRIVE%%HOMEPATH%")
43 |
44 | @REM Execute a user defined script before this one
45 | if not "%MAVEN_SKIP_RC%" == "" goto skipRcPre
46 | @REM check for pre script, once with legacy .bat ending and once with .cmd ending
47 | if exist "%HOME%\mavenrc_pre.bat" call "%HOME%\mavenrc_pre.bat"
48 | if exist "%HOME%\mavenrc_pre.cmd" call "%HOME%\mavenrc_pre.cmd"
49 | :skipRcPre
50 |
51 | @setlocal
52 |
53 | set ERROR_CODE=0
54 |
55 | @REM To isolate internal variables from possible post scripts, we use another setlocal
56 | @setlocal
57 |
58 | @REM ==== START VALIDATION ====
59 | if not "%JAVA_HOME%" == "" goto OkJHome
60 |
61 | echo.
62 | echo Error: JAVA_HOME not found in your environment. >&2
63 | echo Please set the JAVA_HOME variable in your environment to match the >&2
64 | echo location of your Java installation. >&2
65 | echo.
66 | goto error
67 |
68 | :OkJHome
69 | if exist "%JAVA_HOME%\bin\java.exe" goto init
70 |
71 | echo.
72 | echo Error: JAVA_HOME is set to an invalid directory. >&2
73 | echo JAVA_HOME = "%JAVA_HOME%" >&2
74 | echo Please set the JAVA_HOME variable in your environment to match the >&2
75 | echo location of your Java installation. >&2
76 | echo.
77 | goto error
78 |
79 | @REM ==== END VALIDATION ====
80 |
81 | :init
82 |
83 | @REM Find the project base dir, i.e. the directory that contains the folder ".mvn".
84 | @REM Fallback to current working directory if not found.
85 |
86 | set MAVEN_PROJECTBASEDIR=%MAVEN_BASEDIR%
87 | IF NOT "%MAVEN_PROJECTBASEDIR%"=="" goto endDetectBaseDir
88 |
89 | set EXEC_DIR=%CD%
90 | set WDIR=%EXEC_DIR%
91 | :findBaseDir
92 | IF EXIST "%WDIR%"\.mvn goto baseDirFound
93 | cd ..
94 | IF "%WDIR%"=="%CD%" goto baseDirNotFound
95 | set WDIR=%CD%
96 | goto findBaseDir
97 |
98 | :baseDirFound
99 | set MAVEN_PROJECTBASEDIR=%WDIR%
100 | cd "%EXEC_DIR%"
101 | goto endDetectBaseDir
102 |
103 | :baseDirNotFound
104 | set MAVEN_PROJECTBASEDIR=%EXEC_DIR%
105 | cd "%EXEC_DIR%"
106 |
107 | :endDetectBaseDir
108 |
109 | IF NOT EXIST "%MAVEN_PROJECTBASEDIR%\.mvn\jvm.config" goto endReadAdditionalConfig
110 |
111 | @setlocal EnableExtensions EnableDelayedExpansion
112 | for /F "usebackq delims=" %%a in ("%MAVEN_PROJECTBASEDIR%\.mvn\jvm.config") do set JVM_CONFIG_MAVEN_PROPS=!JVM_CONFIG_MAVEN_PROPS! %%a
113 | @endlocal & set JVM_CONFIG_MAVEN_PROPS=%JVM_CONFIG_MAVEN_PROPS%
114 |
115 | :endReadAdditionalConfig
116 |
117 | SET MAVEN_JAVA_EXE="%JAVA_HOME%\bin\java.exe"
118 |
119 | set WRAPPER_JAR="%MAVEN_PROJECTBASEDIR%\.mvn\wrapper\maven-wrapper.jar"
120 | set WRAPPER_LAUNCHER=org.apache.maven.wrapper.MavenWrapperMain
121 |
122 | %MAVEN_JAVA_EXE% %JVM_CONFIG_MAVEN_PROPS% %MAVEN_OPTS% %MAVEN_DEBUG_OPTS% -classpath %WRAPPER_JAR% "-Dmaven.multiModuleProjectDirectory=%MAVEN_PROJECTBASEDIR%" %WRAPPER_LAUNCHER% %MAVEN_CONFIG% %*
123 | if ERRORLEVEL 1 goto error
124 | goto end
125 |
126 | :error
127 | set ERROR_CODE=1
128 |
129 | :end
130 | @endlocal & set ERROR_CODE=%ERROR_CODE%
131 |
132 | if not "%MAVEN_SKIP_RC%" == "" goto skipRcPost
133 | @REM check for post script, once with legacy .bat ending and once with .cmd ending
134 | if exist "%HOME%\mavenrc_post.bat" call "%HOME%\mavenrc_post.bat"
135 | if exist "%HOME%\mavenrc_post.cmd" call "%HOME%\mavenrc_post.cmd"
136 | :skipRcPost
137 |
138 | @REM pause the script if MAVEN_BATCH_PAUSE is set to 'on'
139 | if "%MAVEN_BATCH_PAUSE%" == "on" pause
140 |
141 | if "%MAVEN_TERMINATE_CMD%" == "on" exit %ERROR_CODE%
142 |
143 | exit /B %ERROR_CODE%
144 |
--------------------------------------------------------------------------------
/spring-security-auth-server/pom.xml:
--------------------------------------------------------------------------------
1 |
2 |
4 | 4.0.0
5 |
6 | com.techprimers.security
7 | spring-security-auth-server
8 | 0.0.1-SNAPSHOT
9 | jar
10 |
11 | spring-security-auth-server
12 | Demo project for Spring Boot
13 |
14 |
15 | org.springframework.boot
16 | spring-boot-starter-parent
17 | 1.5.6.RELEASE
18 |
19 |
20 |
21 |
22 | UTF-8
23 | UTF-8
24 | 1.8
25 | Dalston.SR3
26 |
27 |
28 |
29 |
30 | org.springframework.cloud
31 | spring-cloud-starter-oauth2
32 |
33 |
34 | org.springframework.boot
35 | spring-boot-starter-web
36 |
37 |
38 |
39 | org.springframework.boot
40 | spring-boot-starter-data-jpa
41 |
42 |
43 |
44 | mysql
45 | mysql-connector-java
46 |
47 |
48 | org.thymeleaf.extras
49 | thymeleaf-extras-springsecurity4
50 |
51 |
52 | org.springframework.boot
53 | spring-boot-starter-test
54 | test
55 |
56 |
57 |
58 |
59 |
60 |
61 | org.springframework.cloud
62 | spring-cloud-dependencies
63 | ${spring-cloud.version}
64 | pom
65 | import
66 |
67 |
68 |
69 |
70 |
71 |
72 |
73 | org.springframework.boot
74 | spring-boot-maven-plugin
75 |
76 |
77 |
78 |
79 |
80 |
81 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/HelloResource.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver;
2 |
3 | import org.springframework.web.bind.annotation.GetMapping;
4 | import org.springframework.web.bind.annotation.RequestMapping;
5 | import org.springframework.web.bind.annotation.RestController;
6 |
7 | import java.security.Principal;
8 |
9 | @RestController
10 | @RequestMapping("/rest/hello")
11 | public class HelloResource {
12 |
13 |
14 | @GetMapping("/principal")
15 | public Principal user(Principal principal) {
16 | return principal;
17 | }
18 | @GetMapping
19 | public String hello() {
20 | return "Hello World";
21 | }
22 |
23 | }
24 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/SpringSecurityAuthServerApplication.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver;
2 |
3 | import org.springframework.boot.SpringApplication;
4 | import org.springframework.boot.autoconfigure.SpringBootApplication;
5 |
6 | @SpringBootApplication
7 | public class SpringSecurityAuthServerApplication {
8 |
9 | public static void main(String[] args) {
10 | SpringApplication.run(SpringSecurityAuthServerApplication.class, args);
11 | }
12 | }
13 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/config/AuthorizationServerConfig.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.config;
2 |
3 |
4 | import org.springframework.beans.factory.annotation.Autowired;
5 | import org.springframework.context.annotation.Configuration;
6 | import org.springframework.security.authentication.AuthenticationManager;
7 | import org.springframework.security.oauth2.config.annotation.configurers.ClientDetailsServiceConfigurer;
8 | import org.springframework.security.oauth2.config.annotation.web.configuration.AuthorizationServerConfigurerAdapter;
9 | import org.springframework.security.oauth2.config.annotation.web.configuration.EnableAuthorizationServer;
10 | import org.springframework.security.oauth2.config.annotation.web.configurers.AuthorizationServerEndpointsConfigurer;
11 | import org.springframework.security.oauth2.config.annotation.web.configurers.AuthorizationServerSecurityConfigurer;
12 |
13 | @Configuration
14 | @EnableAuthorizationServer
15 | public class AuthorizationServerConfig extends AuthorizationServerConfigurerAdapter {
16 |
17 | @Autowired
18 | private AuthenticationManager authenticationManager;
19 |
20 | @Override
21 | public void configure(AuthorizationServerSecurityConfigurer security) throws Exception {
22 |
23 | security.tokenKeyAccess("permitAll()")
24 | .checkTokenAccess("isAuthenticated()");
25 | }
26 |
27 |
28 | @Override
29 | public void configure(ClientDetailsServiceConfigurer clients) throws Exception {
30 | clients
31 | .inMemory()
32 | .withClient("ClientId")
33 | .secret("secret")
34 | .authorizedGrantTypes("authorization_code")
35 | .scopes("user_info")
36 | .autoApprove(true);
37 | }
38 |
39 |
40 | @Override
41 | public void configure(AuthorizationServerEndpointsConfigurer endpoints) throws Exception {
42 |
43 | endpoints.authenticationManager(authenticationManager);
44 | }
45 | }
46 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/config/ResourceServerConfig.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.config;
2 |
3 | import org.springframework.beans.factory.annotation.Autowired;
4 | import org.springframework.context.annotation.Configuration;
5 | import org.springframework.security.authentication.AuthenticationManager;
6 | import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
7 | import org.springframework.security.config.annotation.web.builders.HttpSecurity;
8 | import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
9 | import org.springframework.security.core.userdetails.UserDetailsService;
10 | import org.springframework.security.oauth2.config.annotation.web.configuration.EnableResourceServer;
11 |
12 | @EnableResourceServer
13 | @Configuration
14 | public class ResourceServerConfig extends WebSecurityConfigurerAdapter {
15 |
16 |
17 | @Autowired
18 | private AuthenticationManager authenticationManager;
19 | @Autowired
20 | private UserDetailsService customUserDetailsService;
21 |
22 | @Override
23 | protected void configure(HttpSecurity http) throws Exception {
24 |
25 | http.requestMatchers()
26 | .antMatchers("/login", "/oauth/authorize")
27 | .and()
28 | .authorizeRequests()
29 | .anyRequest()
30 | .authenticated()
31 | .and()
32 | .formLogin()
33 | .permitAll();
34 | }
35 |
36 |
37 | @Override
38 | protected void configure(AuthenticationManagerBuilder auth) throws Exception {
39 |
40 | auth.parentAuthenticationManager(authenticationManager)
41 | .userDetailsService(customUserDetailsService);
42 | }
43 | }
44 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/model/CustomUserDetails.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.model;
2 |
3 | import org.springframework.security.core.GrantedAuthority;
4 | import org.springframework.security.core.authority.SimpleGrantedAuthority;
5 | import org.springframework.security.core.userdetails.UserDetails;
6 |
7 | import java.util.Collection;
8 | import java.util.stream.Collectors;
9 |
10 | public class CustomUserDetails extends Users implements UserDetails {
11 |
12 | public CustomUserDetails(final Users users) {
13 | super(users);
14 | }
15 |
16 | @Override
17 | public Collection extends GrantedAuthority> getAuthorities() {
18 |
19 | return getRoles()
20 | .stream()
21 | .map(role -> new SimpleGrantedAuthority("ROLE_" + role.getRole()))
22 | .collect(Collectors.toList());
23 | }
24 |
25 | @Override
26 | public String getPassword() {
27 | return super.getPassword();
28 | }
29 |
30 | @Override
31 | public String getUsername() {
32 | return super.getName();
33 | }
34 |
35 | @Override
36 | public boolean isAccountNonExpired() {
37 | return true;
38 | }
39 |
40 | @Override
41 | public boolean isAccountNonLocked() {
42 | return true;
43 | }
44 |
45 | @Override
46 | public boolean isCredentialsNonExpired() {
47 | return true;
48 | }
49 |
50 | @Override
51 | public boolean isEnabled() {
52 | return true;
53 | }
54 | }
55 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/model/Role.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.model;
2 |
3 | import javax.persistence.*;
4 |
5 | @Entity
6 | @Table(name = "role")
7 | public class Role {
8 |
9 | @Id
10 | @GeneratedValue(strategy = GenerationType.AUTO)
11 | @Column(name = "role_id")
12 | private int roleId;
13 |
14 | @Column(name = "role")
15 | private String role;
16 |
17 | public Role() {
18 | }
19 |
20 | public int getRoleId() {
21 | return roleId;
22 | }
23 |
24 | public void setRoleId(int roleId) {
25 | this.roleId = roleId;
26 | }
27 |
28 | public String getRole() {
29 | return role;
30 | }
31 |
32 | public void setRole(String role) {
33 | this.role = role;
34 | }
35 | }
36 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/model/Users.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.model;
2 |
3 | import javax.persistence.*;
4 | import java.util.Set;
5 |
6 | @Entity
7 | @Table(name = "user")
8 | public class Users {
9 |
10 | @Id
11 | @GeneratedValue(strategy = GenerationType.AUTO)
12 | @Column(name = "user_id")
13 | private int id;
14 |
15 | @Column(name = "email")
16 | private String email;
17 |
18 | @Column(name = "name")
19 | private String name;
20 | @Column(name = "password")
21 | private String password;
22 | @Column(name = "last_name")
23 | private String lastName;
24 | @Column(name = "active")
25 | private int active;
26 |
27 | @OneToMany(cascade = CascadeType.ALL, fetch = FetchType.EAGER)
28 | @JoinTable(name = "user_role", joinColumns =
29 | @JoinColumn(name = "user_id"), inverseJoinColumns =
30 | @JoinColumn(name = "role_id"))
31 | private Set roles;
32 |
33 |
34 | public Users() {
35 | }
36 |
37 | public Users(Users users) {
38 |
39 | this.active = users.active;
40 | this.email = users.email;
41 | this.id = users.id;
42 | this.lastName = users.lastName;
43 | this.name = users.name;
44 | this.password = users.password;
45 | this.roles = users.roles;
46 |
47 | }
48 |
49 |
50 | public int getId() {
51 | return id;
52 | }
53 |
54 | public void setId(int id) {
55 | this.id = id;
56 | }
57 |
58 | public String getEmail() {
59 | return email;
60 | }
61 |
62 | public void setEmail(String email) {
63 | this.email = email;
64 | }
65 |
66 | public String getName() {
67 | return name;
68 | }
69 |
70 | public void setName(String name) {
71 | this.name = name;
72 | }
73 |
74 | public String getPassword() {
75 | return password;
76 | }
77 |
78 | public void setPassword(String password) {
79 | this.password = password;
80 | }
81 |
82 | public String getLastName() {
83 | return lastName;
84 | }
85 |
86 | public void setLastName(String lastName) {
87 | this.lastName = lastName;
88 | }
89 |
90 | public int getActive() {
91 | return active;
92 | }
93 |
94 | public void setActive(int active) {
95 | this.active = active;
96 | }
97 |
98 | public Set getRoles() {
99 | return roles;
100 | }
101 |
102 | public void setRoles(Set roles) {
103 | this.roles = roles;
104 | }
105 | }
106 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/repository/UsersRepository.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.repository;
2 |
3 | import com.techprimers.security.springsecurityauthserver.model.Users;
4 | import org.springframework.data.jpa.repository.JpaRepository;
5 |
6 | import java.util.Optional;
7 |
8 | public interface UsersRepository extends JpaRepository {
9 | Optional findByName(String username);
10 | }
11 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/java/com/techprimers/security/springsecurityauthserver/service/CustomUserDetailsService.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver.service;
2 |
3 | import com.techprimers.security.springsecurityauthserver.model.CustomUserDetails;
4 | import com.techprimers.security.springsecurityauthserver.model.Users;
5 | import com.techprimers.security.springsecurityauthserver.repository.UsersRepository;
6 | import org.springframework.beans.factory.annotation.Autowired;
7 | import org.springframework.security.core.userdetails.UserDetails;
8 | import org.springframework.security.core.userdetails.UserDetailsService;
9 | import org.springframework.security.core.userdetails.UsernameNotFoundException;
10 | import org.springframework.stereotype.Service;
11 |
12 | import java.util.Optional;
13 |
14 | @Service
15 | public class CustomUserDetailsService implements UserDetailsService {
16 |
17 | @Autowired
18 | private UsersRepository usersRepository;
19 |
20 | @Override
21 | public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
22 |
23 | Optional usersOptional = usersRepository.findByName(username);
24 |
25 | usersOptional
26 | .orElseThrow(() -> new UsernameNotFoundException("Username not found!"));
27 | return usersOptional
28 | .map(CustomUserDetails::new)
29 | .get();
30 | }
31 | }
32 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/main/resources/application.properties:
--------------------------------------------------------------------------------
1 | server.port=8081
2 | server.context-path=/auth
3 | security.basic.enable=false
4 | spring.datasource.url=jdbc:mysql://localhost:3306/test
5 | spring.datasource.username=
6 | spring.datasource.password =
7 | spring.datasource.testWhileIdle=true
8 | spring.datasource.validationQuery=SELECT 1
9 | spring.jpa.show-sql=true
10 | spring.jpa.hibernate.ddl-auto=update
11 | spring.jpa.hibernate.naming-strategy=org.hibernate.cfg.ImprovedNamingStrategy
12 | spring.jpa.properties.hibernate.dialect=org.hibernate.dialect.MySQL5Dialect
13 |
--------------------------------------------------------------------------------
/spring-security-auth-server/src/test/java/com/techprimers/security/springsecurityauthserver/SpringSecurityAuthServerApplicationTests.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityauthserver;
2 |
3 | import org.junit.Test;
4 | import org.junit.runner.RunWith;
5 | import org.springframework.boot.test.context.SpringBootTest;
6 | import org.springframework.test.context.junit4.SpringRunner;
7 |
8 | @RunWith(SpringRunner.class)
9 | @SpringBootTest
10 | public class SpringSecurityAuthServerApplicationTests {
11 |
12 | @Test
13 | public void contextLoads() {
14 | }
15 |
16 | }
17 |
--------------------------------------------------------------------------------
/spring-security-client/.gitignore:
--------------------------------------------------------------------------------
1 | target/
2 | !.mvn/wrapper/maven-wrapper.jar
3 |
4 | ### STS ###
5 | .apt_generated
6 | .classpath
7 | .factorypath
8 | .project
9 | .settings
10 | .springBeans
11 |
12 | ### IntelliJ IDEA ###
13 | .idea
14 | *.iws
15 | *.iml
16 | *.ipr
17 |
18 | ### NetBeans ###
19 | nbproject/private/
20 | build/
21 | nbbuild/
22 | dist/
23 | nbdist/
24 | .nb-gradle/
--------------------------------------------------------------------------------
/spring-security-client/.mvn/wrapper/maven-wrapper.jar:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/TechPrimers/spring-security-oauth-mysql-example/c77bb2f7efae307d84796f90b8548e77b10bec8a/spring-security-client/.mvn/wrapper/maven-wrapper.jar
--------------------------------------------------------------------------------
/spring-security-client/.mvn/wrapper/maven-wrapper.properties:
--------------------------------------------------------------------------------
1 | distributionUrl=https://repo1.maven.org/maven2/org/apache/maven/apache-maven/3.5.0/apache-maven-3.5.0-bin.zip
2 |
--------------------------------------------------------------------------------
/spring-security-client/mvnw:
--------------------------------------------------------------------------------
1 | #!/bin/sh
2 | # ----------------------------------------------------------------------------
3 | # Licensed to the Apache Software Foundation (ASF) under one
4 | # or more contributor license agreements. See the NOTICE file
5 | # distributed with this work for additional information
6 | # regarding copyright ownership. The ASF licenses this file
7 | # to you under the Apache License, Version 2.0 (the
8 | # "License"); you may not use this file except in compliance
9 | # with the License. You may obtain a copy of the License at
10 | #
11 | # http://www.apache.org/licenses/LICENSE-2.0
12 | #
13 | # Unless required by applicable law or agreed to in writing,
14 | # software distributed under the License is distributed on an
15 | # "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
16 | # KIND, either express or implied. See the License for the
17 | # specific language governing permissions and limitations
18 | # under the License.
19 | # ----------------------------------------------------------------------------
20 |
21 | # ----------------------------------------------------------------------------
22 | # Maven2 Start Up Batch script
23 | #
24 | # Required ENV vars:
25 | # ------------------
26 | # JAVA_HOME - location of a JDK home dir
27 | #
28 | # Optional ENV vars
29 | # -----------------
30 | # M2_HOME - location of maven2's installed home dir
31 | # MAVEN_OPTS - parameters passed to the Java VM when running Maven
32 | # e.g. to debug Maven itself, use
33 | # set MAVEN_OPTS=-Xdebug -Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=8000
34 | # MAVEN_SKIP_RC - flag to disable loading of mavenrc files
35 | # ----------------------------------------------------------------------------
36 |
37 | if [ -z "$MAVEN_SKIP_RC" ] ; then
38 |
39 | if [ -f /etc/mavenrc ] ; then
40 | . /etc/mavenrc
41 | fi
42 |
43 | if [ -f "$HOME/.mavenrc" ] ; then
44 | . "$HOME/.mavenrc"
45 | fi
46 |
47 | fi
48 |
49 | # OS specific support. $var _must_ be set to either true or false.
50 | cygwin=false;
51 | darwin=false;
52 | mingw=false
53 | case "`uname`" in
54 | CYGWIN*) cygwin=true ;;
55 | MINGW*) mingw=true;;
56 | Darwin*) darwin=true
57 | # Use /usr/libexec/java_home if available, otherwise fall back to /Library/Java/Home
58 | # See https://developer.apple.com/library/mac/qa/qa1170/_index.html
59 | if [ -z "$JAVA_HOME" ]; then
60 | if [ -x "/usr/libexec/java_home" ]; then
61 | export JAVA_HOME="`/usr/libexec/java_home`"
62 | else
63 | export JAVA_HOME="/Library/Java/Home"
64 | fi
65 | fi
66 | ;;
67 | esac
68 |
69 | if [ -z "$JAVA_HOME" ] ; then
70 | if [ -r /etc/gentoo-release ] ; then
71 | JAVA_HOME=`java-config --jre-home`
72 | fi
73 | fi
74 |
75 | if [ -z "$M2_HOME" ] ; then
76 | ## resolve links - $0 may be a link to maven's home
77 | PRG="$0"
78 |
79 | # need this for relative symlinks
80 | while [ -h "$PRG" ] ; do
81 | ls=`ls -ld "$PRG"`
82 | link=`expr "$ls" : '.*-> \(.*\)$'`
83 | if expr "$link" : '/.*' > /dev/null; then
84 | PRG="$link"
85 | else
86 | PRG="`dirname "$PRG"`/$link"
87 | fi
88 | done
89 |
90 | saveddir=`pwd`
91 |
92 | M2_HOME=`dirname "$PRG"`/..
93 |
94 | # make it fully qualified
95 | M2_HOME=`cd "$M2_HOME" && pwd`
96 |
97 | cd "$saveddir"
98 | # echo Using m2 at $M2_HOME
99 | fi
100 |
101 | # For Cygwin, ensure paths are in UNIX format before anything is touched
102 | if $cygwin ; then
103 | [ -n "$M2_HOME" ] &&
104 | M2_HOME=`cygpath --unix "$M2_HOME"`
105 | [ -n "$JAVA_HOME" ] &&
106 | JAVA_HOME=`cygpath --unix "$JAVA_HOME"`
107 | [ -n "$CLASSPATH" ] &&
108 | CLASSPATH=`cygpath --path --unix "$CLASSPATH"`
109 | fi
110 |
111 | # For Migwn, ensure paths are in UNIX format before anything is touched
112 | if $mingw ; then
113 | [ -n "$M2_HOME" ] &&
114 | M2_HOME="`(cd "$M2_HOME"; pwd)`"
115 | [ -n "$JAVA_HOME" ] &&
116 | JAVA_HOME="`(cd "$JAVA_HOME"; pwd)`"
117 | # TODO classpath?
118 | fi
119 |
120 | if [ -z "$JAVA_HOME" ]; then
121 | javaExecutable="`which javac`"
122 | if [ -n "$javaExecutable" ] && ! [ "`expr \"$javaExecutable\" : '\([^ ]*\)'`" = "no" ]; then
123 | # readlink(1) is not available as standard on Solaris 10.
124 | readLink=`which readlink`
125 | if [ ! `expr "$readLink" : '\([^ ]*\)'` = "no" ]; then
126 | if $darwin ; then
127 | javaHome="`dirname \"$javaExecutable\"`"
128 | javaExecutable="`cd \"$javaHome\" && pwd -P`/javac"
129 | else
130 | javaExecutable="`readlink -f \"$javaExecutable\"`"
131 | fi
132 | javaHome="`dirname \"$javaExecutable\"`"
133 | javaHome=`expr "$javaHome" : '\(.*\)/bin'`
134 | JAVA_HOME="$javaHome"
135 | export JAVA_HOME
136 | fi
137 | fi
138 | fi
139 |
140 | if [ -z "$JAVACMD" ] ; then
141 | if [ -n "$JAVA_HOME" ] ; then
142 | if [ -x "$JAVA_HOME/jre/sh/java" ] ; then
143 | # IBM's JDK on AIX uses strange locations for the executables
144 | JAVACMD="$JAVA_HOME/jre/sh/java"
145 | else
146 | JAVACMD="$JAVA_HOME/bin/java"
147 | fi
148 | else
149 | JAVACMD="`which java`"
150 | fi
151 | fi
152 |
153 | if [ ! -x "$JAVACMD" ] ; then
154 | echo "Error: JAVA_HOME is not defined correctly." >&2
155 | echo " We cannot execute $JAVACMD" >&2
156 | exit 1
157 | fi
158 |
159 | if [ -z "$JAVA_HOME" ] ; then
160 | echo "Warning: JAVA_HOME environment variable is not set."
161 | fi
162 |
163 | CLASSWORLDS_LAUNCHER=org.codehaus.plexus.classworlds.launcher.Launcher
164 |
165 | # traverses directory structure from process work directory to filesystem root
166 | # first directory with .mvn subdirectory is considered project base directory
167 | find_maven_basedir() {
168 |
169 | if [ -z "$1" ]
170 | then
171 | echo "Path not specified to find_maven_basedir"
172 | return 1
173 | fi
174 |
175 | basedir="$1"
176 | wdir="$1"
177 | while [ "$wdir" != '/' ] ; do
178 | if [ -d "$wdir"/.mvn ] ; then
179 | basedir=$wdir
180 | break
181 | fi
182 | # workaround for JBEAP-8937 (on Solaris 10/Sparc)
183 | if [ -d "${wdir}" ]; then
184 | wdir=`cd "$wdir/.."; pwd`
185 | fi
186 | # end of workaround
187 | done
188 | echo "${basedir}"
189 | }
190 |
191 | # concatenates all lines of a file
192 | concat_lines() {
193 | if [ -f "$1" ]; then
194 | echo "$(tr -s '\n' ' ' < "$1")"
195 | fi
196 | }
197 |
198 | BASE_DIR=`find_maven_basedir "$(pwd)"`
199 | if [ -z "$BASE_DIR" ]; then
200 | exit 1;
201 | fi
202 |
203 | export MAVEN_PROJECTBASEDIR=${MAVEN_BASEDIR:-"$BASE_DIR"}
204 | echo $MAVEN_PROJECTBASEDIR
205 | MAVEN_OPTS="$(concat_lines "$MAVEN_PROJECTBASEDIR/.mvn/jvm.config") $MAVEN_OPTS"
206 |
207 | # For Cygwin, switch paths to Windows format before running java
208 | if $cygwin; then
209 | [ -n "$M2_HOME" ] &&
210 | M2_HOME=`cygpath --path --windows "$M2_HOME"`
211 | [ -n "$JAVA_HOME" ] &&
212 | JAVA_HOME=`cygpath --path --windows "$JAVA_HOME"`
213 | [ -n "$CLASSPATH" ] &&
214 | CLASSPATH=`cygpath --path --windows "$CLASSPATH"`
215 | [ -n "$MAVEN_PROJECTBASEDIR" ] &&
216 | MAVEN_PROJECTBASEDIR=`cygpath --path --windows "$MAVEN_PROJECTBASEDIR"`
217 | fi
218 |
219 | WRAPPER_LAUNCHER=org.apache.maven.wrapper.MavenWrapperMain
220 |
221 | exec "$JAVACMD" \
222 | $MAVEN_OPTS \
223 | -classpath "$MAVEN_PROJECTBASEDIR/.mvn/wrapper/maven-wrapper.jar" \
224 | "-Dmaven.home=${M2_HOME}" "-Dmaven.multiModuleProjectDirectory=${MAVEN_PROJECTBASEDIR}" \
225 | ${WRAPPER_LAUNCHER} $MAVEN_CONFIG "$@"
226 |
--------------------------------------------------------------------------------
/spring-security-client/mvnw.cmd:
--------------------------------------------------------------------------------
1 | @REM ----------------------------------------------------------------------------
2 | @REM Licensed to the Apache Software Foundation (ASF) under one
3 | @REM or more contributor license agreements. See the NOTICE file
4 | @REM distributed with this work for additional information
5 | @REM regarding copyright ownership. The ASF licenses this file
6 | @REM to you under the Apache License, Version 2.0 (the
7 | @REM "License"); you may not use this file except in compliance
8 | @REM with the License. You may obtain a copy of the License at
9 | @REM
10 | @REM http://www.apache.org/licenses/LICENSE-2.0
11 | @REM
12 | @REM Unless required by applicable law or agreed to in writing,
13 | @REM software distributed under the License is distributed on an
14 | @REM "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
15 | @REM KIND, either express or implied. See the License for the
16 | @REM specific language governing permissions and limitations
17 | @REM under the License.
18 | @REM ----------------------------------------------------------------------------
19 |
20 | @REM ----------------------------------------------------------------------------
21 | @REM Maven2 Start Up Batch script
22 | @REM
23 | @REM Required ENV vars:
24 | @REM JAVA_HOME - location of a JDK home dir
25 | @REM
26 | @REM Optional ENV vars
27 | @REM M2_HOME - location of maven2's installed home dir
28 | @REM MAVEN_BATCH_ECHO - set to 'on' to enable the echoing of the batch commands
29 | @REM MAVEN_BATCH_PAUSE - set to 'on' to wait for a key stroke before ending
30 | @REM MAVEN_OPTS - parameters passed to the Java VM when running Maven
31 | @REM e.g. to debug Maven itself, use
32 | @REM set MAVEN_OPTS=-Xdebug -Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=8000
33 | @REM MAVEN_SKIP_RC - flag to disable loading of mavenrc files
34 | @REM ----------------------------------------------------------------------------
35 |
36 | @REM Begin all REM lines with '@' in case MAVEN_BATCH_ECHO is 'on'
37 | @echo off
38 | @REM enable echoing my setting MAVEN_BATCH_ECHO to 'on'
39 | @if "%MAVEN_BATCH_ECHO%" == "on" echo %MAVEN_BATCH_ECHO%
40 |
41 | @REM set %HOME% to equivalent of $HOME
42 | if "%HOME%" == "" (set "HOME=%HOMEDRIVE%%HOMEPATH%")
43 |
44 | @REM Execute a user defined script before this one
45 | if not "%MAVEN_SKIP_RC%" == "" goto skipRcPre
46 | @REM check for pre script, once with legacy .bat ending and once with .cmd ending
47 | if exist "%HOME%\mavenrc_pre.bat" call "%HOME%\mavenrc_pre.bat"
48 | if exist "%HOME%\mavenrc_pre.cmd" call "%HOME%\mavenrc_pre.cmd"
49 | :skipRcPre
50 |
51 | @setlocal
52 |
53 | set ERROR_CODE=0
54 |
55 | @REM To isolate internal variables from possible post scripts, we use another setlocal
56 | @setlocal
57 |
58 | @REM ==== START VALIDATION ====
59 | if not "%JAVA_HOME%" == "" goto OkJHome
60 |
61 | echo.
62 | echo Error: JAVA_HOME not found in your environment. >&2
63 | echo Please set the JAVA_HOME variable in your environment to match the >&2
64 | echo location of your Java installation. >&2
65 | echo.
66 | goto error
67 |
68 | :OkJHome
69 | if exist "%JAVA_HOME%\bin\java.exe" goto init
70 |
71 | echo.
72 | echo Error: JAVA_HOME is set to an invalid directory. >&2
73 | echo JAVA_HOME = "%JAVA_HOME%" >&2
74 | echo Please set the JAVA_HOME variable in your environment to match the >&2
75 | echo location of your Java installation. >&2
76 | echo.
77 | goto error
78 |
79 | @REM ==== END VALIDATION ====
80 |
81 | :init
82 |
83 | @REM Find the project base dir, i.e. the directory that contains the folder ".mvn".
84 | @REM Fallback to current working directory if not found.
85 |
86 | set MAVEN_PROJECTBASEDIR=%MAVEN_BASEDIR%
87 | IF NOT "%MAVEN_PROJECTBASEDIR%"=="" goto endDetectBaseDir
88 |
89 | set EXEC_DIR=%CD%
90 | set WDIR=%EXEC_DIR%
91 | :findBaseDir
92 | IF EXIST "%WDIR%"\.mvn goto baseDirFound
93 | cd ..
94 | IF "%WDIR%"=="%CD%" goto baseDirNotFound
95 | set WDIR=%CD%
96 | goto findBaseDir
97 |
98 | :baseDirFound
99 | set MAVEN_PROJECTBASEDIR=%WDIR%
100 | cd "%EXEC_DIR%"
101 | goto endDetectBaseDir
102 |
103 | :baseDirNotFound
104 | set MAVEN_PROJECTBASEDIR=%EXEC_DIR%
105 | cd "%EXEC_DIR%"
106 |
107 | :endDetectBaseDir
108 |
109 | IF NOT EXIST "%MAVEN_PROJECTBASEDIR%\.mvn\jvm.config" goto endReadAdditionalConfig
110 |
111 | @setlocal EnableExtensions EnableDelayedExpansion
112 | for /F "usebackq delims=" %%a in ("%MAVEN_PROJECTBASEDIR%\.mvn\jvm.config") do set JVM_CONFIG_MAVEN_PROPS=!JVM_CONFIG_MAVEN_PROPS! %%a
113 | @endlocal & set JVM_CONFIG_MAVEN_PROPS=%JVM_CONFIG_MAVEN_PROPS%
114 |
115 | :endReadAdditionalConfig
116 |
117 | SET MAVEN_JAVA_EXE="%JAVA_HOME%\bin\java.exe"
118 |
119 | set WRAPPER_JAR="%MAVEN_PROJECTBASEDIR%\.mvn\wrapper\maven-wrapper.jar"
120 | set WRAPPER_LAUNCHER=org.apache.maven.wrapper.MavenWrapperMain
121 |
122 | %MAVEN_JAVA_EXE% %JVM_CONFIG_MAVEN_PROPS% %MAVEN_OPTS% %MAVEN_DEBUG_OPTS% -classpath %WRAPPER_JAR% "-Dmaven.multiModuleProjectDirectory=%MAVEN_PROJECTBASEDIR%" %WRAPPER_LAUNCHER% %MAVEN_CONFIG% %*
123 | if ERRORLEVEL 1 goto error
124 | goto end
125 |
126 | :error
127 | set ERROR_CODE=1
128 |
129 | :end
130 | @endlocal & set ERROR_CODE=%ERROR_CODE%
131 |
132 | if not "%MAVEN_SKIP_RC%" == "" goto skipRcPost
133 | @REM check for post script, once with legacy .bat ending and once with .cmd ending
134 | if exist "%HOME%\mavenrc_post.bat" call "%HOME%\mavenrc_post.bat"
135 | if exist "%HOME%\mavenrc_post.cmd" call "%HOME%\mavenrc_post.cmd"
136 | :skipRcPost
137 |
138 | @REM pause the script if MAVEN_BATCH_PAUSE is set to 'on'
139 | if "%MAVEN_BATCH_PAUSE%" == "on" pause
140 |
141 | if "%MAVEN_TERMINATE_CMD%" == "on" exit %ERROR_CODE%
142 |
143 | exit /B %ERROR_CODE%
144 |
--------------------------------------------------------------------------------
/spring-security-client/pom.xml:
--------------------------------------------------------------------------------
1 |
2 |
4 | 4.0.0
5 |
6 | com.techprimers.security
7 | spring-security-client
8 | 0.0.1-SNAPSHOT
9 | jar
10 |
11 | spring-security-client
12 | Demo project for Spring Boot
13 |
14 |
15 | org.springframework.boot
16 | spring-boot-starter-parent
17 | 1.5.6.RELEASE
18 |
19 |
20 |
21 |
22 | UTF-8
23 | UTF-8
24 | 1.8
25 | Dalston.SR3
26 |
27 |
28 |
29 |
30 | org.springframework.cloud
31 | spring-cloud-starter-oauth2
32 |
33 |
34 | org.springframework.boot
35 | spring-boot-starter-thymeleaf
36 |
37 |
38 | org.springframework.boot
39 | spring-boot-starter-web
40 |
41 |
42 |
43 | org.thymeleaf.extras
44 | thymeleaf-extras-springsecurity4
45 |
46 |
47 | org.springframework.boot
48 | spring-boot-starter-test
49 | test
50 |
51 |
52 |
53 |
54 |
55 |
56 | org.springframework.cloud
57 | spring-cloud-dependencies
58 | ${spring-cloud.version}
59 | pom
60 | import
61 |
62 |
63 |
64 |
65 |
66 |
67 |
68 | org.springframework.boot
69 | spring-boot-maven-plugin
70 |
71 |
72 |
73 |
74 |
75 |
76 |
--------------------------------------------------------------------------------
/spring-security-client/src/main/java/com/techprimers/security/springsecurityclient/SpringSecurityClientApplication.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityclient;
2 |
3 | import org.springframework.boot.SpringApplication;
4 | import org.springframework.boot.autoconfigure.SpringBootApplication;
5 |
6 | @SpringBootApplication
7 | public class SpringSecurityClientApplication {
8 |
9 | public static void main(String[] args) {
10 | SpringApplication.run(SpringSecurityClientApplication.class, args);
11 | }
12 | }
13 |
--------------------------------------------------------------------------------
/spring-security-client/src/main/java/com/techprimers/security/springsecurityclient/config/OauthConfig.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityclient.config;
2 |
3 | import org.springframework.boot.autoconfigure.security.oauth2.client.EnableOAuth2Sso;
4 | import org.springframework.context.annotation.Configuration;
5 | import org.springframework.security.config.annotation.web.builders.HttpSecurity;
6 | import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
7 |
8 | @EnableOAuth2Sso
9 | @Configuration
10 | public class OauthConfig extends WebSecurityConfigurerAdapter{
11 |
12 |
13 | @Override
14 | protected void configure(HttpSecurity http) throws Exception {
15 |
16 | http.antMatcher("/**")
17 | .authorizeRequests()
18 | .antMatchers("/", "/login**")
19 | .permitAll()
20 | .anyRequest()
21 | .authenticated();
22 |
23 | }
24 | }
25 |
--------------------------------------------------------------------------------
/spring-security-client/src/main/java/com/techprimers/security/springsecurityclient/config/WebConfig.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityclient.config;
2 |
3 | import org.springframework.context.annotation.Bean;
4 | import org.springframework.context.annotation.Configuration;
5 | import org.springframework.context.support.PropertySourcesPlaceholderConfigurer;
6 | import org.springframework.web.context.request.RequestContextListener;
7 | import org.springframework.web.servlet.config.annotation.*;
8 |
9 | @EnableWebMvc
10 | @Configuration
11 | public class WebConfig extends WebMvcConfigurerAdapter {
12 |
13 | @Override
14 | public void configureDefaultServletHandling(DefaultServletHandlerConfigurer configurer) {
15 | configurer.enable();
16 | }
17 |
18 | @Override
19 | public void addViewControllers(ViewControllerRegistry registry) {
20 | super.addViewControllers(registry);
21 |
22 | registry.addViewController("/")
23 | .setViewName("forward:/index");
24 |
25 | registry.addViewController("/index");
26 | registry.addViewController("/secure");
27 |
28 | }
29 |
30 | @Override
31 | public void addResourceHandlers(ResourceHandlerRegistry registry) {
32 | registry.addResourceHandler("/resources/**")
33 | .addResourceLocations("/resources/");
34 | }
35 |
36 | @Bean
37 | public RequestContextListener requestContextListener() {
38 | return new RequestContextListener();
39 | }
40 |
41 |
42 | @Bean
43 | public static PropertySourcesPlaceholderConfigurer placeholderConfigurer() {
44 | return new PropertySourcesPlaceholderConfigurer();
45 | }
46 | }
47 |
--------------------------------------------------------------------------------
/spring-security-client/src/main/resources/application.properties:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/TechPrimers/spring-security-oauth-mysql-example/c77bb2f7efae307d84796f90b8548e77b10bec8a/spring-security-client/src/main/resources/application.properties
--------------------------------------------------------------------------------
/spring-security-client/src/main/resources/application.yml:
--------------------------------------------------------------------------------
1 | server:
2 | port: 8082
3 | context-path: /ui
4 | session:
5 | cookie:
6 | name: UISESSION
7 |
8 |
9 | security:
10 | basic:
11 | enabled: false
12 | oauth2:
13 | client:
14 | clientId: ClientId
15 | clientSecret: secret
16 | accessTokenUri: http://localhost:8081/auth/oauth/token
17 | userAuthorizationUri: http://localhost:8081/auth/oauth/authorize
18 | resource:
19 | userInfoUri: http://localhost:8081/auth/rest/hello/principal
20 |
21 |
22 | spring:
23 | thymeleaf:
24 | cache: false
--------------------------------------------------------------------------------
/spring-security-client/src/main/resources/templates/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 | Spring Security OAuth Example
6 |
7 |
8 |
9 |
10 |
11 |
12 | Spring Security OAuth Example
13 |
14 | Login to OAuth here
15 |
16 |
17 |
18 |
--------------------------------------------------------------------------------
/spring-security-client/src/main/resources/templates/secure.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 | Spring Security OAuth Example
6 |
7 |
8 |
9 |
10 |
11 |
12 | Spring Security OAuth Example - Secured
13 |
14 | Welcome to TechPrimers!
15 |
16 |
17 |
18 |
19 |
--------------------------------------------------------------------------------
/spring-security-client/src/test/java/com/techprimers/security/springsecurityclient/SpringSecurityClientApplicationTests.java:
--------------------------------------------------------------------------------
1 | package com.techprimers.security.springsecurityclient;
2 |
3 | import org.junit.Test;
4 | import org.junit.runner.RunWith;
5 | import org.springframework.boot.test.context.SpringBootTest;
6 | import org.springframework.test.context.junit4.SpringRunner;
7 |
8 | @RunWith(SpringRunner.class)
9 | @SpringBootTest
10 | public class SpringSecurityClientApplicationTests {
11 |
12 | @Test
13 | public void contextLoads() {
14 | }
15 |
16 | }
17 |
--------------------------------------------------------------------------------