1:添加依赖:

  1. <dependency>
  2. <groupId>org.thymeleaf.extras</groupId>
  3. <artifactId>thymeleaf-extras-springsecurity4</artifactId>
  4. </dependency>
  5. <dependency>
  6. <groupId>org.springframework.boot</groupId>
  7. <artifactId>spring-boot-starter-security</artifactId>
  8. </dependency>

2:创建验证service集成UserDetailService

  1. package com.qingwenwei.security;
  2.  
  3. import java.util.ArrayList;
  4. import java.util.List;
  5.  
  6. import org.apache.logging.log4j.LogManager;
  7. import org.apache.logging.log4j.Logger;
  8. import org.springframework.beans.factory.annotation.Autowired;
  9. import org.springframework.security.core.authority.SimpleGrantedAuthority;
  10. import org.springframework.security.core.userdetails.UserDetails;
  11. import org.springframework.security.core.userdetails.UserDetailsService;
  12. import org.springframework.security.core.userdetails.UsernameNotFoundException;
  13.  
  14. import com.qingwenwei.persistence.model.User;
  15. import com.qingwenwei.service.UserService;
  16. import org.springframework.stereotype.Service;

  17. //授权认证
  18. @Service
  19. public class MyUserDetailsService implements UserDetailsService{
  20.  
  21. Logger logger = LogManager.getLogger(MyUserDetailsService.class);
  22. @Autowired
  23. private UserService userService;
  24.  
  25. @Override
  26. public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
  27. logger.debug("得到用户");
  28. User user = this.userService.findByUsername(username); //加密之后的密码。才能进行下面的授权认证。
  29. logger.debug(user.getUsername()+"密码"+user.getPassword()); //加密之后的密码。
  30. if(null == user) {
  31. throw new UsernameNotFoundException("Can't find user by username: " + username);
  32. }
  33.  
  34. List<SimpleGrantedAuthority> grantedAuthorities = new ArrayList<>();
  35. // grant roles to user
  36. for (String role : user.getRolesSet()) {
  37. logger.debug(role);
  38. grantedAuthorities.add(new SimpleGrantedAuthority(role));
  39. }
  40. // user.setGrantedAuthorities(authorities); //用于登录时 @AuthenticationPrincipal 标签取值
  41. return new org.springframework.security.core.userdetails.User(user.getUsername(), user.getPassword(), grantedAuthorities);
  42. }
  43. }

3:进行配置

  1. package com.qingwenwei.security;
  2.  
  3. import org.springframework.beans.factory.annotation.Autowired;
  4. import org.springframework.context.annotation.Bean;
  5. import org.springframework.context.annotation.Configuration;
  6. import org.springframework.security.authentication.AuthenticationProvider;
  7. import org.springframework.security.authentication.dao.DaoAuthenticationProvider;
  8. import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
  9. import org.springframework.security.config.annotation.method.configuration.EnableGlobalMethodSecurity;
  10. import org.springframework.security.config.annotation.web.builders.HttpSecurity;
  11. import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
  12. import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
  13. import org.springframework.security.core.userdetails.UserDetailsService;
  14. import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
  15.  
  16. @Configuration
  17. @EnableWebSecurity
  18. @EnableGlobalMethodSecurity(prePostEnabled=true)
  19. public class WebSecurityConfig extends WebSecurityConfigurerAdapter {
  20.  
  21. @Bean
  22. public BCryptPasswordEncoder bCryptPasswordEncoder() {
  23. return new BCryptPasswordEncoder();
  24. }
  25.  
  26. @Autowired
  27. MyUserDetailsService myUserDetailsService;
  28. // @Bean
  29. // UserDetailsService myUserDetailsService() { // register userDetailsService
  30. // return new MyUserDetailsService();
  31. // }
  32.  
  33. @Bean
  34. public AuthenticationProvider authenticationProvider() {
  35. DaoAuthenticationProvider authenticationProvider = new DaoAuthenticationProvider();
  36. // authenticationProvider.setUserDetailsService(this.myUserDetailsService());
  37. authenticationProvider.setUserDetailsService(myUserDetailsService);
  38. authenticationProvider.setPasswordEncoder(this.bCryptPasswordEncoder());
  39. return authenticationProvider;
  40. }
  41.  
  42. @Autowired
  43. public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception { //全局配置
  44. // auth.inMemoryAuthentication() //內存中存在的验证
  45. // .withUser("t").password("t").roles("USER")
  46. // .and()
  47. // .withUser("admin").password("admin").roles("ADMIN");
  48.  
  49. auth.userDetailsService(myUserDetailsService).passwordEncoder(this.bCryptPasswordEncoder());
  50. // auth.userDetailsService(myUserDetailsService).passwordEncoder(new BCryptPasswordEncoder());
  51. // auth.authenticationProvider(this.authenticationProvider()); // different approach
  52. }
  53.  
  54. @Override
  55. protected void configure(HttpSecurity http) throws Exception {
  56. http.csrf().disable()
  57. .authorizeRequests()
  58. .antMatchers("/user/settings").authenticated() // order matters
  59. .antMatchers("/", "/js/**", "/css/**","/avatar/**", "/images/**", "/fonts/**", "/bootstrap-select/**", "/bootstrap-datetimepicker/**", "/custom/**", "/daterangepicker/**", "/chartjs/**").permitAll() // these paths are configure not to require any authentication
  60. .antMatchers("/post/**").permitAll() // all posts are allowed to be viewed without authentication
  61. .antMatchers("/user/**").permitAll() // all user profiles are allowed to be viewed without authentication
  62. .antMatchers("/category/**").permitAll() // all categories are allowed to be viewed without authentication
  63. .antMatchers("/user/registration").permitAll()
  64. .antMatchers("/avatar/**").permitAll() // temp
  65. .antMatchers("/avatar1/**").permitAll() // temp
  66. .anyRequest().authenticated() // every request requires the user to be authenticated
  67. .and()
  68. .formLogin()
  69. .loginPage("/user/login")
  70. .permitAll() // login URL can be accessed by anyone
  71. .and()
  72. .logout()
  73. .invalidateHttpSession(true)
  74. .clearAuthentication(true)
  75. .logoutSuccessUrl("/?logout")
  76. .permitAll();
  77. }
  78. }

4:userController.java

  1. package com.qingwenwei.web.controller;
  2.  
  3. import com.qingwenwei.exception.BadRequestException;
  4. import com.qingwenwei.exception.ResourceNotFoundException;
  5. import com.qingwenwei.persistence.model.User;
  6. import com.qingwenwei.service.UserService;
  7. import com.qingwenwei.util.NewUserFormValidator;
  8. import com.qingwenwei.web.dto.UserRegistrationDto;
  9. import com.qingwenwei.web.dto.UserSettingsDto;
  10. import org.apache.catalina.servlet4preview.http.HttpServletRequest;
  11. import org.apache.logging.log4j.LogManager;
  12. import org.apache.logging.log4j.Logger;
  13. import org.springframework.beans.factory.annotation.Autowired;
  14. import org.springframework.stereotype.Controller;
  15. import org.springframework.ui.Model;
  16. import org.springframework.validation.BindingResult;
  17. import org.springframework.web.bind.annotation.*;
  18.  
  19. import javax.validation.Valid;
  20. import java.util.Map;
  21.  
  22. @Controller
  23. public class UserController {
  24.  
  25. Logger logger = LogManager.getLogger(UserController.class);
  26. // private static final Logger logger = LoggerFactory.getLogger(UserController.class);
  27.  
  28. @Autowired
  29. private UserService userService;
  30.  
  31. @Autowired
  32. private NewUserFormValidator userValidator;
  33.  
  34. @RequestMapping(value = "/user/{userId}", method = RequestMethod.GET)
  35. public String showUserProfilePage(@RequestParam(value = "tab", required = false) String tabType,
  36. @PathVariable Long userId, Model model) {
  37. if (null == userId) {
  38. throw new BadRequestException("Path variable userId cound not be null.");
  39. }
  40. Map<String, Object> attributes = this.userService.getUserProfileAndPostsByUserIdByTabType(userId, tabType);
  41. if (null == attributes) {
  42. throw new ResourceNotFoundException("attributes not found.");
  43. }
  44. model.addAllAttributes(attributes);
  45. return "forum/user-profile";
  46. }
  47.  
  48. @RequestMapping(value = "/user/registration", method = RequestMethod.GET)
  49. public String showRegistrationPage(Model model) {
  50. model.addAttribute("userDto", new UserRegistrationDto());
  51. return "forum/user-registration"; //注册页面
  52. }
  53.  
  54. @RequestMapping(value = "/user/registration", method = RequestMethod.POST) //提交注册
  55. public String registerNewUser(@Valid @ModelAttribute("userDto") UserRegistrationDto userDto,
  56. BindingResult bindingResult, Model model, HttpServletRequest request) {
  57. /*
  58. * form validation, check username and email uniqueness
  59. */
  60. this.userValidator.validate(userDto, bindingResult);
  61. if (bindingResult.hasErrors()) {
  62. logger.info("BindingResult has errors >> " + bindingResult.getFieldError());
  63. return "forum/user-registration";
  64. }
  65. logger.debug("注册"+userDto.getMatchingPassword());
  66. Map<String, Object> attributes = this.userService.registerUserAccount(userDto, request);
  67. if (null == attributes) {
  68. throw new ResourceNotFoundException("attributes not found.");
  69. }
  70. model.addAllAttributes(attributes);
  71. return "forum/user-registration-result";
  72. }
  73.  
  74. @RequestMapping(value = "/user/login", method = RequestMethod.GET)
  75. public String displayLoginPage(Model model) {
  76. logger.debug("user/login登录");
  77. model.addAttribute("title", "用户登陆");
  78. return "forum/user-login"; //登录界面,验证没通过。
  79. }
  80.  
  81. @RequestMapping(value = "/user/login-success", method = RequestMethod.GET)
  82. public String showAdminPage() {
  83. logger.debug("登录成功");
  84. return "forum/user-login";
  85. // return "/";
  86. }
  87.  
  88. @RequestMapping(value = "/confirm", method = RequestMethod.GET)
  89. public String confirmRegistration(@RequestParam("token") String token) {
  90. return "forum/confirmation";
  91. }
  92.  
  93. @RequestMapping(value = "/confirm", method = RequestMethod.POST)
  94. public String processConfirmation() {
  95. return "forum/confirmation";
  96. }
  97.  
  98. @RequestMapping(value = "/user/settings", method = RequestMethod.GET)
  99. public String showUserSettingsPage(Model model) {
  100. Map<String, Object> attributes = this.userService.getUserSettingPage();
  101. if (null == attributes) {
  102. throw new ResourceNotFoundException("attributes not found.");
  103. }
  104. model.addAllAttributes(attributes);
  105. return "forum/user-settings";
  106. }
  107.  
  108. @RequestMapping(value = "/user/settings", method = RequestMethod.POST)
  109. public String handleFileUpload(@ModelAttribute("userSettingsDto") UserSettingsDto userSettingsDto, Model model) {
  110. // User byConfirmationToken = userService.findByConfirmationToken(userSettingsDto.getPasswordConfirmation());
  111. // logger.debug(byConfirmationToken.getPassword());
  112. // logger.debug(userSettingsDto.getPassword());
  113.  
  114. if (null == userSettingsDto) {
  115. throw new BadRequestException("UserSettingsDto cound not be null.");
  116. }
  117. Map<String, Object> attributes = this.userService.updateUserProfile(userSettingsDto);
  118. if (null == attributes) {
  119. throw new ResourceNotFoundException("attributes not found.");
  120. }
  121. model.addAllAttributes(attributes);
  122. return "forum/user-settings";
  123. }
  124.  
  125. }

5:UserService.java UserServiceImpl.java

  1. package com.qingwenwei.service;
  2.  
  3. import com.qingwenwei.persistence.model.User;
  4. import com.qingwenwei.web.dto.UserRegistrationDto;
  5. import com.qingwenwei.web.dto.UserSettingsDto;
  6.  
  7. import javax.servlet.http.HttpServletRequest;
  8. import java.util.Map;
  9.  
  10. public interface UserService {
  11.  
  12. int save(User user);
  13.  
  14. User findById(Long id);
  15.  
  16. User findByUsername(String username);
  17.  
  18. User findByEmail(String email);
  19.  
  20. User findByConfirmationToken(String confirmationToken);
  21.  
  22. User findAuthenticatedUser();
  23.  
  24. Map<String, Object> getUserProfileAndPostsByUserIdByTabType(Long userId, String tabType);
  25.  
  26. Map<String, Object> updateUserProfile(UserSettingsDto newUserSettingsForm);
  27.  
  28. Map<String, Object> getUserSettingPage();
  29.  
  30. Map<String, Object> registerUserAccount(UserRegistrationDto userDto, HttpServletRequest request);
  31.  
  32. }
  1. package com.qingwenwei.service.impl;
  2.  
  3. import com.qingwenwei.event.OnRegistrationCompleteEvent;
  4. import com.qingwenwei.persistence.dao.CommentMapper;
  5. import com.qingwenwei.persistence.dao.PostMapper;
  6. import com.qingwenwei.persistence.dao.UserMapper;
  7. import com.qingwenwei.persistence.model.Comment;
  8. import com.qingwenwei.persistence.model.Post;
  9. import com.qingwenwei.persistence.model.User;
  10. import com.qingwenwei.service.StorageService;
  11. import com.qingwenwei.service.UserService;
  12. import com.qingwenwei.web.dto.UserRegistrationDto;
  13. import com.qingwenwei.web.dto.UserSettingsDto;
  14. import org.apache.logging.log4j.LogManager;
  15. import org.springframework.beans.factory.annotation.Autowired;
  16. import org.springframework.context.ApplicationEventPublisher;
  17. import org.springframework.security.core.Authentication;
  18. import org.springframework.security.core.context.SecurityContextHolder;
  19. import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
  20. import org.springframework.stereotype.Service;
  21.  
  22. import javax.servlet.http.HttpServletRequest;
  23. import java.sql.Timestamp;
  24. import java.util.*;
  25.  
  26. @Service("userService")
  27. public class UserServiceImpl implements UserService {
  28.  
  29. // private static final Logger logger = LoggerFactory.getLogger(UserServiceImpl.class);
  30. org.apache.logging.log4j.Logger logger = LogManager.getLogger(UserServiceImpl.class);
  31. @Autowired
  32. private UserMapper userMapper;
  33.  
  34. @Autowired
  35. private PostMapper postMapper;
  36.  
  37. @Autowired
  38. private CommentMapper commentMapper;
  39.  
  40. // @Autowired
  41. // private VerificationTokenMapper verificationTokenMapper;
  42.  
  43. @Autowired
  44. private StorageService storageService;
  45.  
  46. @Autowired
  47. private BCryptPasswordEncoder bCryptPasswordEncoder;
  48.  
  49. @Autowired
  50. private ApplicationEventPublisher evenPublisher;
  51.  
  52. @Override
  53. public User findById(Long id) {
  54. return userMapper.findById(id);
  55. }
  56.  
  57. @Override
  58. public User findByEmail(String email) {
  59. return userMapper.findByEmail(email);
  60. }
  61.  
  62. @Override
  63. public User findByConfirmationToken(String confirmationToken) {
  64. return userMapper.findByConfirmationToken(confirmationToken);
  65. }
  66.  
  67. @Override
  68. public User findByUsername(String username) {
  69. return userMapper.findByUsername(username);
  70. }
  71.  
  72. @Override //重置密码
  73. public int save(User user) {
  74. user.setPassword(bCryptPasswordEncoder.encode(user.getPassword())); //保存时应该将密码编码
  75. return userMapper.save(user);
  76. }
  77. // @Override
  78. // public int save(User user) {
  79. // user.setPassword(user.getPassword());
  80. // return userMapper.save(user);
  81. // }
  82.  
  83. @Override
  84. public Map<String, Object> getUserProfileAndPostsByUserIdByTabType(Long userId, String tabType) {
  85. if (null == userId) {
  86. return null;
  87. }
  88. User user = this.userMapper.findById(userId);
  89. if (null == user) {
  90. return null;
  91. }
  92. Map<String, Object> attributes = new HashMap<>();
  93. attributes.put("user", user);
  94. String activeTab = tabType == null ? "posts" : tabType;
  95. if ("posts".equalsIgnoreCase(activeTab)) {
  96. List<Post> posts = this.postMapper.findPostsByUserId(userId);
  97. attributes.put("posts", posts);
  98. } else if ("comments".equalsIgnoreCase(activeTab)) {
  99. List<Comment> comments = this.commentMapper.findCommentsByUserId(userId);
  100. attributes.put("comments", comments);
  101. }
  102. attributes.put("activeTab", activeTab);
  103. return attributes;
  104. }
  105.  
  106. @Override
  107. public User findAuthenticatedUser() {
  108. Authentication auth = SecurityContextHolder.getContext().getAuthentication();
  109. String username = auth.getName();
  110. return this.userMapper.findByUsername(username);
  111. }
  112.  
  113. /**
  114. * 更新用户profile
  115. * @param userSettingsDto
  116. * @return
  117. */
  118. @Override
  119. public Map<String, Object> updateUserProfile(UserSettingsDto userSettingsDto) {
  120. Map<String, Object> attributes = new HashMap<>();
  121. // String authenticatedUsername = this.findAuthenticatedUser().getUsername();
  122. User authenticatedUser = this.findAuthenticatedUser();
  123.  
  124. String authenticatedUsername = authenticatedUser.getUsername();
  125. String password = authenticatedUser.getPassword();
  126. logger.debug("passward"+password);
  127. if (null == authenticatedUsername || authenticatedUsername.equalsIgnoreCase("")
  128. || null == userSettingsDto
  129. || userSettingsDto.getEmail().isEmpty()
  130. || userSettingsDto.getEmail().equals("")) {
  131. attributes.put("uploadResultMessage", "uploadFailure");
  132. return attributes;
  133. }
  134. // update user profile
  135. User user = this.storageService.store(userSettingsDto.getAvatar(), authenticatedUsername);
  136. if (null == user) {
  137. attributes.put("uploadResultMessage", "uploadFailure");
  138. user = this.findAuthenticatedUser(); // find authenticated user if no user found
  139. }
  140. user.setPassword(password);
  141. user.setEmail(userSettingsDto.getEmail());
  142. user.setBio(userSettingsDto.getBio());
  143.  
  144. this.userMapper.update(user);
  145.  
  146. // return attributes
  147. attributes.put("user", user);
  148. attributes.put("uploadResultMessage", "uploadSuccess");
  149. return attributes;
  150. }
  151.  
  152. @Override
  153. public Map<String, Object> getUserSettingPage() {
  154. User user = this.findAuthenticatedUser();
  155. UserSettingsDto newUserSettingsForm = new UserSettingsDto();
  156. newUserSettingsForm.setBio(user.getBio());
  157. newUserSettingsForm.setEmail(user.getEmail());
  158. Map<String, Object> attributes = new HashMap<>();
  159. attributes.put("user", user);
  160. attributes.put("userSettingsDto", newUserSettingsForm);
  161. return attributes;
  162. }
  163.  
  164. @Override
  165. public Map<String, Object> registerUserAccount(UserRegistrationDto userDto, HttpServletRequest request) {
  166. Map<String, Object> attributes = new HashMap<>();
  167.  
  168. // save newly registered user
  169. User user = new User();
  170.  
  171. user.setPassword(bCryptPasswordEncoder.encode(userDto.getPassword())); //保存时应该将密码编码
  172.  
  173. // user.setPassword(userDto.getPassword());
  174. user.setUsername(userDto.getUsername());
  175. user.setEmail(userDto.getEmail());
  176. user.setDateCreated(new Timestamp(System.currentTimeMillis()));
  177. user.activated(true);
  178. user.setRoles(User.USER);
  179. user.setConfirmationToken(UUID.randomUUID().toString());
  180.  
  181. // save new user and get number of affected row
  182. logger.debug("用户注册");
  183. int affectedRow = userMapper.save(user);
  184. logger.debug("用户注册成功");
  185. // publish registration event
  186. String appUrl = "http://" + request.getServerName() + ":" + request.getServerPort();
  187. Locale locale = request.getLocale();
  188. OnRegistrationCompleteEvent event = new OnRegistrationCompleteEvent(user.getUsername(), appUrl, locale);
  189. this.evenPublisher.publishEvent(event);
  190.  
  191. // populate attributes
  192. String registrationResult = affectedRow == 1 ? "success" : "failure";
  193. attributes.put("userRegistrationResult", registrationResult);
  194. return attributes;
  195. }
  196.  
  197. }

6:UserMapper.java

  1. package com.qingwenwei.persistence.dao;
  2.  
  3. import com.qingwenwei.persistence.model.User;
  4. import org.apache.ibatis.annotations.Mapper;
  5. import org.apache.ibatis.annotations.Param;
  6.  
  7. import java.util.List;
  8.  
  9. @Mapper
  10. public interface UserMapper {
  11.  
  12. int save(@Param("user") User user);
  13.  
  14. int update(@Param("user") User user);
  15.  
  16. List<User> findAll();
  17.  
  18. User findById(Long id);
  19.  
  20. User findByUsername(String username);
  21.  
  22. User findByEmail(String email);
  23.  
  24. User findByConfirmationToken(String confirmationToken);
  25.  
  26. }

7;UserMapper.xml

  1. <?xml version="1.0" encoding="UTF-8" ?>
  2. <!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
  3. <mapper namespace="com.qingwenwei.persistence.dao.UserMapper">
  4.  
  5. <resultMap id="UserResultMap" type="com.qingwenwei.persistence.model.User">
  6. <id property="id" column="id"/>
  7. <result property="username" column="username"/>
  8. <result property="password" column="password"/>
  9. <result property="email" column="email"/>
  10. <result property="confirmationToken" column="confirmation_token"/>
  11. <result property="activated" column="activated"/>
  12. <result property="dateCreated" column="date_created"/>
  13. <result property="avatarLocation" column="avatar_location"/>
  14. <result property="bio" column="bio"/>
  15. </resultMap>
  16.  
  17. <sql id="baseColumns" >
  18. id, username, password, email, activated, date_created, avatar_location, bio,roles
  19. </sql>
  20. <insert id="save" parameterType="com.qingwenwei.persistence.model.User">
  21. INSERT INTO `T_USER`
  22. (
  23. username,
  24. password,
  25. email,
  26. confirmation_token,
  27. activated,
  28. date_created,
  29. avatar_location,
  30. bio,
  31. roles
  32. )
  33. VALUES
  34. (
  35. #{user.username},
  36. #{user.password},
  37. #{user.email},
  38. #{user.confirmationToken},
  39. #{user.activated},
  40. #{user.dateCreated},
  41. #{user.avatarLocation},
  42. #{user.bio},
  43. #{user.roles}
  44. )
  45. </insert>
  46.  
  47. <select id="findById" parameterType="Long" resultMap="UserResultMap">
  48. SELECT
  49. id,
  50. username,
  51. password,
  52. email,
  53. activated,
  54. date_created,
  55. avatar_location,
  56. bio,
  57. roles
  58. FROM T_USER
  59. WHERE id = #{id}
  60. </select>
  61.  
  62. <select id="findByUsername" parameterType="String" resultMap="UserResultMap">
  63. SELECT
  64. id,
  65. username,
  66. password,
  67. email,
  68. activated,
  69. date_created,
  70. avatar_location,
  71. bio,
  72. roles
  73. FROM T_USER
  74. WHERE username = #{username}
  75. </select>
  76.  
  77. <select id="findByEmail" parameterType="String" resultMap="UserResultMap">
  78. SELECT
  79. id,
  80. username,
  81. password,
  82. email,
  83. activated,
  84. date_created,
  85. avatar_location,
  86. bio,
  87. roles
  88. FROM T_USER
  89. WHERE email = #{email}
  90. </select>
  91.  
  92. <select id="findByConfirmationToken" parameterType="String" resultMap="UserResultMap">
  93. SELECT
  94. id,
  95. username,
  96. password,
  97. email,
  98. activated,
  99. date_created,
  100. avatar_location,
  101. bio,
  102. confirmation_token,
  103. roles
  104. FROM T_USER
  105. WHERE confirmation_token = #{confirmationToken}
  106. </select>
  107.  
  108. <select id="findAll" resultMap="UserResultMap">
  109. SELECT
  110. id,
  111. username,
  112. password,
  113. email,
  114. activated,
  115. date_created,
  116. avatar_location,
  117. bio,
  118. confirmation_token,
  119. roles
  120. FROM T_USER
  121. </select>
  122.  
  123. <update id="update" parameterType="com.qingwenwei.persistence.model.User">
  124. UPDATE T_USER SET
  125. password = #{user.password},
  126. email = #{user.email},
  127. date_created = #{user.dateCreated},
  128. avatar_location = #{user.avatarLocation},
  129. bio = #{user.bio}
  130. WHERE id = #{user.id}
  131. </update>
  132.  
  133. </mapper>

8;User.java

  1. package com.qingwenwei.persistence.model;
  2.  
  3. import java.io.Serializable;
  4. import java.sql.Timestamp;
  5. import java.util.Arrays;
  6. import java.util.Collections;
  7. import java.util.HashSet;
  8. import java.util.Set;
  9.  
  10. public class User implements Serializable {
  11.  
  12. private static final long serialVersionUID = 1L;
  13.  
  14. // constants
  15. public static String USER = "USER"; //两种用户
  16. public static String ADMIN = "ADMIN";
  17.  
  18. private Long id;
  19. private String username;
  20. private String password;
  21. private String email;
  22. private String confirmationToken;
  23. private Long activated;
  24. private Timestamp dateCreated;
  25. private String avatarLocation;
  26. private String bio;
  27. private String roles;
  28.  
  29. public User() {
  30.  
  31. }
  32.  
  33. public Long getId() {
  34. return id;
  35. }
  36.  
  37. public void setId(Long id) {
  38. this.id = id;
  39. }
  40.  
  41. public String getUsername() {
  42. return username;
  43. }
  44.  
  45. public void setUsername(String userName) {
  46. this.username = userName;
  47. }
  48.  
  49. public String getPassword() {
  50. return password;
  51. }
  52.  
  53. public void setPassword(String password) {
  54. this.password = password;
  55. }
  56.  
  57. public String getEmail() {
  58. return email;
  59. }
  60.  
  61. public void setEmail(String email) {
  62. this.email = email;
  63. }
  64.  
  65. public String getConfirmationToken() {
  66. return confirmationToken;
  67. }
  68.  
  69. public void setConfirmationToken(String confirmationToken) {
  70. this.confirmationToken = confirmationToken;
  71. }
  72.  
  73. public Long getActivated() {
  74. return activated;
  75. }
  76.  
  77. public void setActivated(Long activated) {
  78. this.activated = activated;
  79. }
  80.  
  81. public static void setUSER(String USER) {
  82. User.USER = USER;
  83. }
  84.  
  85. public static void setADMIN(String ADMIN) {
  86. User.ADMIN = ADMIN;
  87. }
  88.  
  89. public static long getSerialVersionUID() {
  90. return serialVersionUID;
  91.  
  92. }
  93.  
  94. public static String getUSER() {
  95. return USER;
  96. }
  97.  
  98. public static String getADMIN() {
  99. return ADMIN;
  100. }
  101.  
  102. public Timestamp getDateCreated() {
  103. return dateCreated;
  104. }
  105.  
  106. public void setDateCreated(Timestamp dateCreated) {
  107. this.dateCreated = dateCreated;
  108. }
  109.  
  110. public String getAvatarLocation() {
  111. return avatarLocation;
  112. }
  113.  
  114. public void setAvatarLocation(String avatarLocation) {
  115. this.avatarLocation = avatarLocation;
  116. }
  117.  
  118. public String getBio() {
  119. return bio;
  120. }
  121.  
  122. public void setBio(String bio) {
  123. this.bio = bio;
  124. }
  125.  
  126. public String getRoles() {
  127. return roles;
  128. }
  129.  
  130. public void setRoles(String roles) {
  131. this.roles = roles;
  132. } //赋予该用户的角色
  133.  
  134. public Set<String> getRolesSet() {
  135. if (null == roles) {
  136. return null;
  137. }
  138. return Collections.unmodifiableSet(
  139. new HashSet<String>(Arrays.asList(getRoles().split(","))));
  140. }
  141.  
  142. public void addRole(String role) {
  143. String currRoles = this.getRoles();
  144. if (null == currRoles || this.getRoles().contains(role)) {
  145. return;
  146. }
  147. this.setRoles(currRoles + "," + role);
  148. }
  149.  
  150. public void activated(boolean activated) {
  151. this.setActivated(activated == true ? 1L : 0L);
  152. }
  153.  
  154. @Override
  155. public String toString() {
  156. return "User [id=" + id + ", username=" + username + ", password=" + password + ", email=" + email
  157. + ", confirmationToken=" + confirmationToken + ", activated=" + activated + ", dateCreated="
  158. + dateCreated + ", avatarLocation=" + avatarLocation + ", bio=" + bio + ", roles=" + roles + "]";
  159. }
  160.  
  161. }

9:配置成功。

github:https://github.com/1367356/springBootForum

Spring boot Security 用于权限管理,用户添加等。的更多相关文章

  1. Spring boot整合shiro权限管理

    Apache Shiro功能框架: Shiro聚焦与应用程序安全领域的四大基石:认证.授权.会话管理和保密. #,认证,也叫作登录,用于验证用户是不是他自己所说的那个人: #,授权,也就是访问控制,比 ...

  2. 使用Spring Security实现权限管理

    使用Spring Security实现权限管理 1.技术目标 了解并创建Security框架所需数据表 为项目添加Spring Security框架 掌握Security框架配置 应用Security ...

  3. boke练习: spring boot: security post数据时,要么关闭crst,要么添加隐藏域

    spring boot: security post数据时,要么关闭crst,要么添加隐藏域 http.csrf().disable(); 或者: <input name="${_cs ...

  4. Spring Boot Security Oauth2之客户端模式及密码模式实现

    Spring Boot Security Oauth2之客户端模式及密码模式实现 示例主要内容 1.多认证模式(密码模式.客户端模式) 2.token存到redis支持 3.资源保护 4.密码模式用户 ...

  5. Spring Boot Security JWT 整合实现前后端分离认证示例

    前面两章节我们介绍了 Spring Boot Security 快速入门 和 Spring Boot JWT 快速入门,本章节使用 JWT 和 Spring Boot Security 构件一个前后端 ...

  6. Spring Boot Security配置教程

    1.简介 在本文中,我们将了解Spring Boot对spring Security的支持. 简而言之,我们将专注于默认Security配置以及如何在需要时禁用或自定义它. 2.默认Security设 ...

  7. Spring Boot Security 保护你的程序

    Spring Boot Security 本示例要内容 基于角色的权限访问控制 加密.解密 基于Spring Boot Security 权限管理框架保护应用程序 String Security介绍 ...

  8. Spring Boot Security OAuth2 实现支持JWT令牌的授权服务器

    概要 之前的两篇文章,讲述了Spring Security 结合 OAuth2 .JWT 的使用,这一节要求对 OAuth2.JWT 有了解,若不清楚,先移步到下面两篇提前了解下. Spring Bo ...

  9. Spring Boot Security 整合 OAuth2 设计安全API接口服务

    简介 OAuth是一个关于授权(authorization)的开放网络标准,在全世界得到广泛应用,目前的版本是2.0版.本文重点讲解Spring Boot项目对OAuth2进行的实现,如果你对OAut ...

随机推荐

  1. c# MVC Take的使用

    Take的使用 myPicture = dbContext.MyPictures.Where(u => u.Width == request.Width && u.Height ...

  2. Matlab 二维绘图函数(plot类)

    plot 功能 绘制二维图形的最基本函数. 语法 //x为向量时,以x的元素值为纵坐标,x的序号为横坐标绘制曲线. //x为矩阵时,以其序号为横坐标,按列绘制每列元素值相对于其序号的曲线. polt( ...

  3. C语言内存使用的常见问题及解决之道

    一  前言 本文所讨论的“内存”主要指(静态)数据区.堆区和栈区空间(详细的布局和描述参考<Linux虚拟地址空间布局>一文).数据区内存在程序编译时分配,该内存的生存期为程序的整个运行期 ...

  4. Androidの矢量图形之VectorDrawable研究

    5.0以上支持VectorDrawable了,可以创建vector的xml资源文件.vector其实就使用来绘制矢量图形的. 看一个例子: <?xml version="1.0&quo ...

  5. 二.jquery.datatables.js表格数据添加

    1.后台php public function addtable(){ $data = $_POST; if(M('yanfa_project')->add($data)){ $this-> ...

  6. ogg 12c OGG-01163

    数据同步报错: 2017-07-03 12:44:36 ERROR OGG-01163 Oracle GoldenGate Delivery for Oracle, rora_t1.prm: Bad ...

  7. powerDesigner根据sql脚本来逆向生成pdm等模型

    一.问题概述 网上一般的博文都是说要建立数据源的方式来逆向或者正向. 我这人比较懒得折腾,更喜欢通过sql脚本的方式来做. 二.步骤 File-->New Model--> 然后: 注意上 ...

  8. nginx命令行参数和信号

    nginx命令行参数 [user@host dir]$ /usr/local/nginx/sbin/nginx -hnginx version: nginx/1.8.0Usage: nginx [-? ...

  9. 关于Nagios通过NRPE监控客户端的安装与配置

    环境介绍>>>>>>>>>>>>>>>>>>>>>>>> ...

  10. hiredis安装及测试

      (1) redis环境搭建    (2) hiredis下载地址及C API  github   (3) hiredis安装 我是把libhiredis.so放到/usr/local/lib/中, ...