目录
【概述】
用户打开浏览器,访问web服务器的资源,会话建立,直到有一方断开连接,会话结束。在一次会话中可以包含多次请求和响应
【概述】
一种维护浏览器状态的方法,服务器需要识别多次请求是否来自于同一浏览器,以便在同一次会话的多次请求间共享数据
HTTP协议是无状态的,每次浏览器向服务器请求时,服务器都会将该请求视为新的请求,因此我们需要会话跟踪技术来实现会话内数据共享
【概述】
客户端会话技术,将数据保存到客户端,以后每次请求都携带Cookie数据进行访问
【发送Cookie】
1、创建Cookie对象,设置数据
Cookie cookie = new Cookie("key","value");
2、发送Cookie到客户端:使用response对象
response.addCookie(cookie);
【获取Cookie】
3、获取客户端携带的所有Cookie,使用request对象
Cookie[] cookies = request.getCookies();
4、获取客户端携带的所有Cookie,使用request对象
for循环
5、使用Cookie对象方法获取数据
- cookie.getName();
- cookie.getValue();
【概述】
Cookie的实现是基于HTTP协议的
例:
- protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- //发送Cookie
- //创建Cookie对象
- Cookie cookie=new Cookie("username","zs");
- //设置存活时间:一分钟
- cookie.setMaxAge(60);
- //发送Cookie.response
- response.addCookie(cookie);
- }
Cookie 不能直接存储中文,如需要存储,则需要进行转码:URL编码
例:
- //发送Cookie
- protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- //发送Cookie
- //创建Cookie对象
- String value="张三";
- //URL编码
- value= URLEncoder.encode(value,"UTF-8");
- Cookie cookie=new Cookie("username",value);
- //设置存活时间:一分钟
- cookie.setMaxAge(60);
- //发送Cookie.response
- response.addCookie(cookie);
- }
- //获取Cookie
- protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- //获取Cookie
- //获取Cookie数组
- Cookie[] cookies = request.getCookies();
- //遍历数组
- for (Cookie cookie : cookies) {
- //获取数据
- String name = cookie.getName();
- if("username".equals(name)){
- String value = cookie.getValue();
- //URL解码
- value = URLDecoder.decode(value , "UTF-8");
- System.out.println(name+":"+value);
- }
- }
- }
【概述】
服务端会话跟踪技术:将数据保存到服务端
JavaEE 提供 HttpSession接口,来实现一次会话的多次请求间数据共享功能
1、获取Session对象
HttpSession session = request.getSession();
2、Session对象功能
例:
- //请求1
- protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- //存储到Session中
- //获取Session对象
- HttpSession session=request.getSession();
- //存储数据
- session.setAttribute("username","zs");
- }
- //请求2
- protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
- //获取数据,从Session中
- //获取Session对象
- HttpSession session=request.getSession();
- //获取数据
- Object username = session.getAttribute("username");
- System.out.println(username);
- }
【概述】
Session是基于Cookie实现的
1、默认情况下,无操作,30分钟自动销毁(在web.xml中)
- <web-app>
- <session-config>
- <session-timeout>30session-timeout>
- session-config>
- web-app>
2、调用 Session对象的 invalidate()方法(销毁自己)
- //销毁
- session.invalidate();