springboot 判断数据库用户登陆页面
时间: 2023-12-02 16:06:15 浏览: 92
可以使用Spring Security来实现数据库用户的认证和授权。以下是一个基本的实现步骤:
1. 导入Spring Security和JDBC相关的依赖库。
2. 配置Spring Security的安全配置类,例如:
```
@Configuration
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {
@Autowired
private DataSource dataSource;
@Override
protected void configure(AuthenticationManagerBuilder auth) throws Exception {
auth.jdbcAuthentication().dataSource(dataSource)
.usersByUsernameQuery("select username,password,enabled from users where username=?")
.authoritiesByUsernameQuery("select username,authority from authorities where username=?");
}
@Override
protected void configure(HttpSecurity http) throws Exception {
http.authorizeRequests()
.antMatchers("/login").permitAll()
.anyRequest().authenticated()
.and()
.formLogin().loginPage("/login").defaultSuccessUrl("/home").permitAll()
.and()
.logout().permitAll();
}
}
```
上面的代码中,我们使用了JDBC进行用户认证,并且配置了登录页面和登陆成功后的页面。
3. 创建一个登录页面,例如:
```
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>Login Page</title>
</head>
<body>
<div th:if="${param.error}">
Invalid username and password.
</div>
<div th:if="${param.logout}">
You have been logged out.
</div>
<form th:action="@{/login}" method="post">
<div>
<label>Username:</label>
<input type="text" name="username"/>
</div>
<div>
<label>Password:</label>
<input type="password" name="password"/>
</div>
<div>
<button type="submit">Login</button>
</div>
</form>
</body>
</html>
```
4. 在Controller中添加处理登录和注销的方法。
```
@Controller
public class LoginController {
@GetMapping("/login")
public String showLoginPage() {
return "login";
}
@PostMapping("/login")
public String login(HttpServletRequest request) {
return "redirect:/home";
}
@GetMapping("/logout")
public String logout(HttpServletRequest request) {
// do something to logout user
return "redirect:/login?logout";
}
@GetMapping("/home")
public String showHomePage() {
return "home";
}
}
```
上面的代码中,我们使用了@GetMapping和@PostMapping注解来处理HTTP请求,并且实现了登录和注销的功能。
这样,就可以实现基本的数据库用户认证和授权了。需要注意的是,以上代码仅供参考,具体实现还需要根据实际情况进行调整。
阅读全文