1 / 50

Servlets

Servlets. Written by Dr. Yaron Kanza, Edited by permission from author by Liron Blecher. What is a Servlet Handling HTTP Requests User Input in HTML Handling HTTP Response Servlet Life Cycle Servlet Context Request Dispatcher Sessions. Agenda. request. request. response.

judson
Download Presentation

Servlets

An Image/Link below is provided (as is) to download presentation Download Policy: Content on the Website is provided to you AS IS for your information and personal use and may not be sold / licensed / shared on other websites without getting consent from its author. Content is provided to you AS IS for your information and personal use only. Download presentation by click this link. While downloading, if for some reason you are not able to download a presentation, the publisher may have deleted the file from their server. During download, if you can't get a presentation, the file might be deleted by the publisher.

E N D

Presentation Transcript


  1. Servlets Written by Dr. Yaron Kanza, Edited by permission from author by Liron Blecher

  2. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  3. request request response response What is a Servlet • A Java application that is being run by a Web server • Can receive parameters in an HTTP request • Generates an HTTP response Servlet Web browser Web server

  4. What is a Servlet - Example <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <title>Friendly Time</title> </head> <body> <h2>What is your name?</h2> <form method="get" action="time/show"> <p><input name="username" type="text" /> <input type="submit" value="send" /> </p> </form> </body> </html> The name of the application (Servlet) The name of a parameter

  5. What is a Servlet - Example send send

  6. What is a Servlet - Example import java.io.*;import javax.servlet.*;import javax.servlet.http.*;import java.util.*;public class TimeServletextends HttpServlet{public void doGet(HttpServletRequestreq, HttpServletResponse res)throws ServletException, IOException{res.setContentType("text/html");PrintWriter out = res.getWriter();Calendar cal = new GregorianCalendar();String username = req.getParameter("username");out.println("<html><head><title>Time</title></head>");out.println("<body style=\"text-align:center\">\n<h2>Hello "+ username+ ".<br/>The time is: "+ "<span style=\"color:red\">"+ cal.get(Calendar.HOUR_OF_DAY)+ ":"+ cal.get(Calendar.MINUTE)+ ":"+ cal.get(Calendar.SECOND)+ "</span>"+ "</h2>\n</body>\n</html>");}}

  7. What is a Servlet - Example http://localhost:8080/Examples/time/show?username=Homer

  8. Web Application File Structure TimeServlet.class TimeServlet.java web.xml time.html

  9. Servlet web.xml <?xml version="1.0" encoding="ISO-8859-1"?> <web-app> <servlet> <servlet-name>hello</servlet-name> <servlet-class>examples.HelloServlet</servlet-class> </servlet> <servlet> <servlet-name>time</servlet-name> <servlet-class>TimeServlet</servlet-class> </servlet> <servlet-mapping> <servlet-name>hello</servlet-name> <url-pattern>/hello</url-pattern> </servlet-mapping> <servlet-mapping> <servlet-name>time</servlet-name> <url-pattern>/time/show</url-pattern> </servlet-mapping> </web-app>

  10. Servlet Annotations • As of Java EE 6 you can use Annotation instead of web.xml • @WebServlet(name = "TestServlet", urlPatterns = {"/search"}) • public class TestServlet extends HttpServlet{ • ... { • @WebServlet – the annotation that defines the class as a servlet • Name – the servlet name • urlPattern– one or more patterns that will be handled by the servlet

  11. (HTTP) response MyServlet service(request,response) (HTTP) request The Servlet Interface • Java provides the interface Servlet • Specific Servlets implement this interface • Whenever the Web server is asked to invoke a specific Servlet, it activates the method service()of an instance of this Servlet

  12. Servlet Hierarchy Called by the servlet container to allow the servlet to respond to any request method service(ServletRequest, ServletResponse) Servlet Generic Servlet A generic, protocol-independent class, implementing Servlet HttpServlet doGet(HttpServletRequest , HttpServletResponse) doPost(HttpServletRequestHttpServletResponse) doPut doTrace … YourOwnServlet Called by the servlet container to allow the servlet to respond to a specific request method

  13. Class HttpServlet • Class HttpServlethandles requests and responses according to the HTTP protocol • The service() method of HttpServlet checks the request method and calls the appropriate HttpServletmethod: doGet,doPost, doPut, doDelete, doTrace, doOptions ordoHead

  14. Creating a Servlet • Extend the classHTTPServlet • Implement doGetor doPost(or both; also maybe others…) • Both methods get: • HttpServletRequest: methods for getting form (query) data, HTTP request headers, etc. • HttpServletResponse: methods for setting HTTP status codes, HTTP response headers, and get an output stream used for sending data to the client • Many times, we implement doPostby calling doGet, or vice-versa

  15. Creating a Servlet – Hello World import java.io.*; import javax.servlet.*; importjavax.servlet.http.*; publicclassTextHelloWorldextendsHttpServlet{ publicvoiddoGet(HttpServletRequestreq,HttpServletResponse res) throwsServletException,IOException{ PrintWriter out =res.getWriter(); out.println("Hello World"); } publicvoiddoPost(HttpServletRequestreq,HttpServletResponse res) throwsServletException,IOException{ doGet(req, res); } }

  16. Examples.servlets.DateServlet demo

  17. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  18. Getting HTTP Headers • Values of the HTTP request can be accessed through the HttpServletRequestobject • Methods for specific request information: getCookies,getContentLength, getContentType,getMethod,getProtocol, etc.

  19. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  20. User Input in HTML • Using HTML forms, we can pass parameters to Web applications • <form action=… method=…> …</form>comprises a single form • action:the address of the application to which the form data is sent (should be relative to the current page) • method: the HTTP method to use when passing parameters to the application (e.g.get or post)

  21. The <input> Tag • Inside a form, INPUT tags define fields for data entry • Standard input types include: buttons, checkboxes, password fields,radio buttons, text fields, image-buttons, text areas, hidden fields, etc. • Each one associates a single (string) value with a named parameter

  22. Getting user input in the servlet • Use the following HTTPServleRequestmethods to get the user input: • getParameter(“<name of parameter>”); • getParameterNames – returns an enumeration of all the parameters that came on the request • getParameterMap – return a map of all the parameters and their values

  23. Examples.htmlinput demo

  24. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  25. Setting Response Headers Setting Response Header • Class HTTPServletResponse provides setters for some specific headers: • setContentType • setContentLength • automatically set if the entire response fits inside the response buffer • setDateHeader • setCharacterEncoding

  26. The Response Content Buffer • The response body is buffered • Data is sent to the client when the buffer is full or when the buffer is explicitly flushed • Once the first data chunk is sent to the client, the response is committed • You cannot set the response line nor change the headers. Such operations are either ignored or cause an exception to be thrown

  27. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  28. Servlet Life Cycle • When a URL that a servlet is mapped to is requested, the server loads the Servlet class and initializes one instance of it • Each client request is handled by the Serlvet instance in a separate thread • The server can remove the Servlet • The Servlet can remain loaded to handle additional requests

  29. Servlet Life Cycle – con’t • When the Servlet in instantiated, its method init()is invoked (in our case, by Tomcat) • External parameters can be provided • Upon a request, its method service()is invoked • Before the Servlet removal, its method destroy()is invoked

  30. Servlet Life Cycle – con’t Deal with requests: call the servicemethod Calling the initmethod Destroy the Servlet: call the destroymethod Servlet Instance ServletConfig In our case by servlet we refer to any class extending HttpServlet Garbage Collection ServletClass

  31. Initializing Servlets • The method init has a parameter of type ServletConfig • ServletConfighas methods to get external initialization parameters (getInitParameter()) • In Tomcat, these parameters are set in web.xml • To make initializations, override init() and notinit(ServletConfig) • The former is automatically called by the latter after performing default initializations Servlet.getServletConfig() If we use init(), how can we obtain a reference to the ServletConfig ?

  32. A web.xml Example <web-app> … <servlet> <servlet-name>InitExample</servlet-name> <servlet-class>ServletInit</servlet-class> <init-param> <param-name>login</param-name> <param-value>Homer</param-value> </init-param> </servlet> … </web-app>

  33. Loading a Servlet on Startup • A Servlet is usually loaded when it is first being called • You can set Tomcat to load a specific Servlet on startup in the Servlet declaration inside web.xml <servlet> <servlet-name>InitExample</servlet-name> <servlet-class>ServletInit</servlet-class> <load-on-startup/> </servlet>

  34. Examples.servlets demo

  35. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  36. Servlet Context • Allows servlets that belong to the same application to share data and communicate • For instance, can be used to store details for a JDBC connection (details that are shared by different servlets) • Allows setting and getting attributes • Provides information about the server • Can be used for writing messages to a log file • Use: getServletContext().getAttribute(), and getServletContext().setAttribute() to add objects to a map which is shared between all servlets

  37. A web.xml Example <web-app> … <context-param> <param-name>db-server</param-name> <param-value>db.mta.ac.il</param-value> </context-param> <servlet> <servlet-name>InitExample</servlet-name> <servlet-class>ServletInit</servlet-class> <init-param> <param-name>login</param-name> <param-value>Homer</param-value> </init-param> </servlet> … </web-app>

  38. Destroying Servlets • The server may remove a loaded Servlet • asked to do so by an administrator (e.g. Server shutdown) • Servlet was idle for a long time • server needs to free resources • The server removes a Servlet only if all threads have finished or a grace periodhas passed • Before removing, calls the destroy()method • can perform cleanup, e.g., close database connections • Is it possible for the Servlet to end without its destroy being called? • You can do it if you kill the process explicitly

  39. Thread Synchronization • Multiple threads are accessing the same Servlet object at the same time • Therefore, you have to deal with concurrency • init() and destroy()are guaranteed to be executed only once (before/after all service executions)

  40. Examples.servletcontext demo

  41. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  42. Request Dispatcher • Servlets have the abilities to ‘call’ each other. • Since no servlet has a reference to another servlet, the way to perform this ‘call’ is by using the Request Dispatcher. • There are 2 ways to make this ‘call’: • Forward – will forward the request and response to another servlet and after the other servlet has finished processing the request, the response will be returned to the client (without returning to the calling servlet) • Include – will forward the request and response to another servlet and after the other servlet has finished processing the request, it will return to the calling servlet

  43. Request Dispatcher • Before forwarding/including other servlets, it is possible to modify the request (for example, add/remove/update parameters) • To get the Request Dispatcher call the servlet context: getServletContext().getRequestDispatcher(“/otherServletPath”) • Tip! • When including another servlet make sure the other servlet does not closes its response writer when it finishes.

  44. Examples.servletcontext demo

  45. What is a Servlet • Handling HTTP Requests • User Input in HTML • Handling HTTP Response • Servlet Life Cycle • Servlet Context • Request Dispatcher • Sessions Agenda

  46. Sessions • HTTP is stateless, hence, for implementing sessions we need to send back and forth a session identifier • The session identifier is generated by the server and being sent to the client • Each request that is part of the session is sent back to the server • Sending session ids • By using cookies • URL rewriting • Hidden form fields

  47. Session Objects Does the server keep the session object forever? Generate a new session id Client 3 Send response with a cookie saying the session id is 3 The following requests will include session id 3 and will be recorded by the server Server Session table

  48. HttpSession • Information related to a session is encapsulated in HttpSession objects • Data is set and retrieved by setAttribute and getAttribute

  49. Examples.poll demo

  50. Links • Tutorial: http://docs.oracle.com/javaee/6/tutorial/doc/bnafd.html • Core Servlets Tutorials: • http://www.coreservlets.com/ • http://courses.coreservlets.com/Course-Materials/csajsp2.html • Overview: • http://alvinjayreyes.com/2013/07/27/a-brief-overview-of-jee6/

More Related