ESAPI是開源組織owasp,開放的安全開發框架,但百度、google搜索相關的技術文章不多,今天小嚐試了一下,分享一下心得。html
會話攻擊,簡單理解就是盜用竊取用戶的cookie,假裝成用戶,向服務器端發送請求,竊取用戶私密信息。java
具體如何防止會話攻擊,很簡單,參照《Web應用安全威脅與防治--基於OWASP TOP 10 與ESAPI》書中介紹的方法,一旦用戶登陸成功後,立刻validate用戶的會話,具體步驟以下:api
- 用戶輸入用戶名和密碼
- 系統對用戶進行驗證經過
- 已有的會話信息若是仍然須要,則轉移到一個臨時變量中去
- invalidate當前會話
- 建立一個新會話
- 把臨時變量中保存的會話信息恢復到新建立的會話中去
- 用戶使用這個新的會話登陸到系統中並進行操做
貼出實例安全
構造一個簡單登陸頁面服務器
- <body>
- <form action="loginServlet" method="post">
- 用戶名:<input type="text" name="username" /><br/>
- 密碼:<input type="password" name="password"/><br/>
- <input type="submit" value="登陸"/>
- </form>
- </body>
驗證成功的頁面cookie
- <body>
- 歡迎${sessionScope.username }登陸
- </body>
而後是一個LoginServlet,其中DefaultHTTPUtilities是ESAPI中org.owasp.esapi.reference.DefaultHTTPUtilities類,該類的changeSessionIdentifier(request),就是實現上述功能。session
- public void doPost(HttpServletRequest request, HttpServletResponse response)
- throws ServletException, IOException {
- String username = request.getParameter("username");
- String password = request.getParameter("password");
- DefaultHTTPUtilities dhUtil = new DefaultHTTPUtilities();
- try {
- HttpSession session = dhUtil.changeSessionIdentifier(request);
- session.setAttribute("username", username);
- session.setAttribute("password", password);
- request.getRequestDispatcher("/index.jsp").forward(request, response);
- } catch (AuthenticationException e) {
- e.printStackTrace();
- }
- }
貼出changeSessionIdentifier(request)方法源碼框架
- public HttpSession changeSessionIdentifier(HttpServletRequest request) throws AuthenticationException {
-
-
- HttpSession oldSession = request.getSession();
-
-
- Map<String,Object> temp = new ConcurrentHashMap<String,Object>();
- Enumeration e = oldSession.getAttributeNames();
- while (e != null && e.hasMoreElements()) {
- String name = (String) e.nextElement();
- Object value = oldSession.getAttribute(name);
- temp.put(name, value);
- }
-
-
- oldSession.invalidate();
- HttpSession newSession = request.getSession();
- User user = ESAPI.authenticator().getCurrentUser();
- user.addSession( newSession );
- user.removeSession( oldSession );
-
-
- for (Map.Entry<String, Object> stringObjectEntry : temp.entrySet())
- {
- newSession.setAttribute(stringObjectEntry.getKey(), stringObjectEntry.getValue());
- }
- return newSession;
- }