一.服务器端获取Session对象依赖于客户端携带的Cookie中的JSESSIONID数据。若是用户把浏览器的隐私级别调到最高,这时浏览器是不会接受Cookie、这样致使永远在服务器端都拿不到的JSESSIONID信息。这样就致使服务器端的Session使用不了。 html
Java针对Cookie禁用,给出了解决方案,依然能够保证JSESSIONID的传输。java
Java中给出了再全部的路径的后面拼接JSESSIONID信息。web
在 Session1Servlet中,使用response.encodeURL(url) 对超连接路径拼接 session的惟一标识算法
1
2
3
4
5
6
7
|
// 当点击 的时候跳转到 session2
response.setContentType(
"text/html;charset=utf-8"
);
//此方法会在路径后面自动拼接sessionId
String path = response.encodeURL(
"/day11/session2"
);
System.out.println(path);
//页面输出
response.getWriter().println(
"ip地址保存成功,想看 请<a href='"
+ path +
"'>点击</a>"
);
|
二.在response对象中的提供的encodeURL方法它只能对页面上的超连接或者是form表单中的action中的路径进行重写(拼接JSESSIONID)。 编程
若是咱们使用的重定向技术,这时必须使用下面方法完成:其实就是在路径后面拼接了 Session的惟一标识 JSESSIONID。设计模式
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
|
// 重定向到session2
String path = response.encodeRedirectURL(
"/day11/session2"
);
System.out.println(
"重定向编码后的路径:"
+ path);
response.sendRedirect(path);
session2代码,得到session1传过来的ID
public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// 需求:从session容器中取出ip
// 得到session对象
HttpSession session = request.getSession();
// 获取ip地址
String ip = (String) session.getAttribute(
"ip"
);
// 将ip打印到浏览器中
response.setContentType(
"text/html;charset=utf-8"
);
response.getWriter().println(
"IP:"
+ ip);
}
session1代码
public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// 需求:将ip保存到session中
// 获取session
HttpSession session = request.getSession();
// 得到ip
String ip = request.getRemoteAddr();
// 将ip保存到session中
session.setAttribute(
"ip"
, ip);
// 需求2:手动的将 session对应的cookie持久化,关闭浏览器再次访问session中的数据依然存在
// 建立cookie
Cookie cookie =
new
Cookie(
"JSESSIONID"
, session.getId());
// 设置cookie的最大生存时间
cookie.setMaxAge(60 * 30);
// 设置有效路径
cookie.setPath(
"/"
);
// 发送cookie
response.addCookie(cookie);
// 当点击 的时候跳转到 session2
// response.setContentType("text/html;charset=utf-8");
// String path = response.encodeURL("/day11/session2");
// System.out.println(path);
// response.getWriter().println("ip地址保存成功,想看 请<a href='" + path + "'>点击</a>");
// 重定向到session2
String path = response.encodeRedirectURL(
"/day11/session2"
);
System.out.println(
"重定向编码后的路径:"
+ path);
response.sendRedirect(path);
}
|