서블릿 라이프사이클의 4단계
1. "init()" 메소드 호출을 통한 초기화
init 메소드는 한 번만 호출되도록 설계되었습니다. 서블릿이 처음 생성될 때 호출되며 이후의 각 사용자 요청에서는 더 이상 호출되지 않습니다.
@Override public void init(ServletConfig config) throws ServletException { this.config = config; this.init(); }
2. 클라이언트의 요청을 처리하기 위해 "service()" 메소드를 호출합니다.
service() 메소드는 실제 작업을 수행하는 주요 메소드입니다. 서블릿 컨테이너(즉, 웹 서버)는 service() 메서드를 호출하여 클라이언트(브라우저)의 요청을 처리하고 형식화된 응답을 클라이언트에 다시 씁니다.
protected void service(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException { String method = req.getMethod(); if (method.equals(METHOD_GET)) { long lastModified = getLastModified(req); if (lastModified == -1) { // servlet doesn't support if-modified-since, no reason // to go through further expensive logic doGet(req, resp); } else { long ifModifiedSince; try { ifModifiedSince = req.getDateHeader(HEADER_IFMODSINCE); } catch (IllegalArgumentException iae) { // Invalid date header - proceed as if none was set ifModifiedSince = -1; } if (ifModifiedSince < (lastModified / 1000 * 1000)) { // If the servlet mod time is later, call doGet() // Round down to the nearest second for a proper compare // A ifModifiedSince of -1 will always be less maybeSetLastModified(resp, lastModified); doGet(req, resp); } else { resp.setStatus(HttpServletResponse.SC_NOT_MODIFIED); } } } else if (method.equals(METHOD_HEAD)) { long lastModified = getLastModified(req); maybeSetLastModified(resp, lastModified); doHead(req, resp); } else if (method.equals(METHOD_POST)) { doPost(req, resp); } else if (method.equals(METHOD_PUT)) { doPut(req, resp); } else if (method.equals(METHOD_DELETE)) { doDelete(req, resp); } else if (method.equals(METHOD_OPTIONS)) { doOptions(req,resp); } else if (method.equals(METHOD_TRACE)) { doTrace(req,resp); } else { // // Note that this means NO servlet supports whatever // method was requested, anywhere on this server. // String errMsg = lStrings.getString("http.method_not_implemented"); Object[] errArgs = new Object[1]; errArgs[0] = method; errMsg = MessageFormat.format(errMsg, errArgs); resp.sendError(HttpServletResponse.SC_NOT_IMPLEMENTED, errMsg); } }
3. "destroy()" 메서드를 호출하여 종료합니다.
destroy() 메서드는 서블릿 수명 주기가 끝날 때 한 번만 호출됩니다. destroy() 메소드를 사용하면 서블릿이 데이터베이스 연결을 닫고, 백그라운드 스레드를 중지하고, 디스크에 쿠키 목록을 쓰거나 카운터를 클릭하고, 기타 유사한 정리 활동을 수행할 수 있습니다.
@Override public void destroy() { // NOOP by default }
5. 가비지 수집은 JVM의 가비지 수집기에 의해 수행됩니다.
추천 튜토리얼: "Java Tutorial"
위 내용은 서블릿 라이프사이클의 4단계의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!