目录
Session 共享 为什么服务器 A 登录后,请求发到服务器 B,不认识该用户? 解决方案 SpringBoot整合SpringSession实现分布式登录
Session 共享
比如两个域名:
aaa.yupi.com bbb.yupi.com 如果要共享 cookie,可以种一个更高层的公共域名,比如 yupi.com
为什么服务器 A 登录后,请求发到服务器 B,不认识该用户?
用户在 A 登录,所以 session(用户登录信息)存在了 A 上
结果请求 B 时,B 没有用户信息,所以不认识。
解决方案
共享存储 ,而不是把数据放到单台服务器的内存中
SpringBoot整合SpringSession实现分布式登录
引入 redis,能够操作 redis:
?
1
2
3
4
5
6
<!-- https://mvnrepository.com/artifact/org.springframework.boot/spring-boot-starter-data-redis -->
<
dependency
>
<
groupId
>org.springframework.boot</
groupId
>
<
artifactId
>spring-boot-starter-data-redis</
artifactId
>
<
version
>2.6.4</
version
>
</
dependency
>
引入 spring-session 和 redis 的整合,使得自动将 session 存储到 redis 中:
?
1
2
3
4
5
6
<!-- https://mvnrepository.com/artifact/org.springframework.session/spring-session-data-redis -->
<
dependency
>
<
groupId
>org.springframework.session</
groupId
>
<
artifactId
>spring-session-data-redis</
artifactId
>
<
version
>2.6.3</
version
>
</
dependency
>
修改 spring-session 存储配置 spring.session.store-type
默认是 none,表示存储在单台服务器
store-type: redis,表示从 redis 读写 session
?
1
2
3
4
5
6
redis:
host: localhost
port: 6379
session:
timeout: 60
store-type: redis
效果:
?
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
/**
* @author 刘宇浩
*/
@RestController
@RequestMapping
(
"/session"
)
public
class
SessionController {
public
static
final
String key =
"USERLOGINSTATE"
;
@GetMapping
(
"/set"
)
public
Result setSession(HttpServletRequest request) {
User user =
new
User();
user.setClassName(
"21软件3"
);
user.setName(
"lyl"
);
request.getSession().setAttribute(key, user);
return
ResultGenerator.genSuccessResult(
200
,
"成功"
);
}
@GetMapping
(
"/get"
)
public
Result getSession(HttpServletRequest request){
User userloginstate = (User)request.getSession().getAttribute(key);
System.out.println(userloginstate.getName());
System.out.println(userloginstate.getClassName());
return
ResultGenerator.genSuccessResult(
200
,
"成功"
);
}
}