Tutorial

Java Web Application Tutorial for Beginners

Published on August 3, 2022
author

Pankaj

Java Web Application Tutorial for Beginners

Java Web Application is used to create dynamic websites. Java provides support for web application through Servlets and JSPs. We can create a website with static HTML pages but when we want information to be dynamic, we need web application.

Java Web Application

The aim of this article is to provide basic details of different components in Web Application and how can we use Servlet and JSP to create our first java web application.

  1. Web Server and Client
  2. HTML and HTTP
  3. Understanding URL
  4. Why we need Servlet and JSPs?
  5. First Web Application with Servlet and JSP
  6. Web Container
  7. Web Application Directory Structure
  8. Deployment Descriptor

Web Server and Client

Web Server is a software that can process the client request and send the response back to the client. For example, Apache is one of the most widely used web servers. Web Server runs on some physical machine and listens to client request on a specific port. A web client is a software that helps in communicating with the server. Some of the most widely used web clients are Firefox, Google Chrome, Safari, etc. When we request something from the server (through URL), the web client takes care of creating a request and sending it to the server and then parsing the server response and present it to the user.

HTML and HTTP

Web Server and Web Client are two separate softwares, so there should be some common language for communication. HTML is the common language between server and client and stands for HyperText Markup Language. Web server and client needs a common communication protocol, HTTP (HyperText Transfer Protocol) is the communication protocol between server and client. HTTP runs on top of TCP/IP communication protocol. Some of the important parts of the HTTP Request are:

  • HTTP Method - action to be performed, usually GET, POST, PUT etc.
  • URL - Page to access
  • Form Parameters - similar to arguments in a java method, for example user,password details from login page.

Sample HTTP Request:

GET /FirstServletProject/jsps/hello.jsp HTTP/1.1
Host: localhost:8080
Cache-Control: no-cache

Some of the important parts of HTTP Response are:

  • Status Code - an integer to indicate whether the request was success or not. Some of the well known status codes are 200 for success, 404 for Not Found and 403 for Access Forbidden.
  • Content Type - text, html, image, pdf etc. Also known as MIME type
  • Content - actual data that is rendered by client and shown to user.

Sample HTTP Response:

200 OK
Date: Wed, 07 Aug 2013 19:55:50 GMT
Server: Apache-Coyote/1.1
Content-Length: 309
Content-Type: text/html;charset=US-ASCII

<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "https://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>Hello</title>
</head>
<body>
<h2>Hi There!</h2>
<br>
<h3>Date=Wed Aug 07 12:57:55 PDT 2013
</h3>
</body>
</html>

MIME Type or Content Type: If you see above sample HTTP response header, it contains tag “Content-Type”. It’s also called MIME type and server sends it to the client to let them know the kind of data it’s sending. It helps the client in rendering the data for the user. Some of the most used mime types are text/html, text/xml, application/xml etc.

Understanding URL

URL is the acronym of Universal Resource Locator and it’s used to locate the server and resource. Every resource on the web has its own unique address. Let’s see parts of the URL with an example. https://localhost:8080/FirstServletProject/jsps/hello.jsp https:// - This is the first part of URL and provides the communication protocol to be used in server-client communication. localhost - The unique address of the server, most of the times it’s the hostname of the server that maps to unique IP address. Sometimes multiple hostnames point to same IP addresses and web server virtual host takes care of sending a request to the particular server instance. 8080 - This is the port on which server is listening, it’s optional and if we don’t provide it in URL then request goes to the default port of the protocol. Port numbers 0 to 1023 are reserved ports for well-known services, for example, 80 for HTTP, 443 for HTTPS, 21 for FTP, etc. FirstServletProject/jsps/hello.jsp - Resource requested from server. It can be static html, pdf, JSP, servlets, PHP etc.

Why we need Servlet and JSPs?

Web servers are good for static contents HTML pages but they don’t know how to generate dynamic content or how to save data into databases, so we need another tool that we can use to generate dynamic content. There are several programming languages for dynamic content like PHP, Python, Ruby on Rails, Java Servlets and JSPs. Java Servlet and JSPs are server-side technologies to extend the capability of web servers by providing support for dynamic response and data persistence.

Java Web Development

First Web Application with Servlet and JSP

We will use “Eclipse IDE for Java EE Developers” for creating our first servlet application. Since servlet is a server-side technology, we will need a web container that supports Servlet technology, so we will use the Apache Tomcat server. It’s very easy to set up and I am leaving that part to yourself. For ease of development, we can add configure Tomcat with Eclipse, it helps in easy deployment and running applications. Go to Eclipse Preference and select Server Runtime Environments and select the version of your tomcat server, mine is Tomcat 7. Eclipse-with-Tomcat Provide the apache tomcat directory location and JRE information to add the runtime environment. Now go to the Servers view and create a new server like below image pointing to the above-added runtime environment. Eclipse-New-Server-Tomcat Note: If Servers tab is not visible, then you can select Window > Show View > Servers so that it will be visible in Eclipse window. Try stopping and starting the server to make sure it’s working fine. If you have already started the server from the terminal, then you will have to stop it from the terminal and then start it from Eclipse else it won’t work perfectly. Now we are ready with our setup to create the first servlet and run it on tomcat server. Select File > New > Dynamic Web Project and use below image to provide runtime as the server we added in last step and module version as 3.0 to create our servlet using Servlet 3.0 specs. First-Servlet-dynamic-web-project You can directly click the Finish button to create the project or you can click on Next buttons to check for other options. Now select File > New > Servlet and use below image to create our first servlet. Again we can click finish or we can check other options through the next button. first-servlet When we click on the Finish button, it generates our Servlet skeleton code, so we don’t need to type in all the different methods and imports in servlet and saves us time. Now we will add some HTML with dynamic data code in doGet() method that will be invoked for HTTP GET request. Our first servlet looks like below.

package com.journaldev.first;

import java.io.IOException;
import java.io.PrintWriter;
import java.util.Date;

import javax.servlet.ServletException;
import javax.servlet.annotation.WebInitParam;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

/**
 * Servlet implementation class FirstServlet
 */
@WebServlet(description = "My First Servlet", urlPatterns = { "/FirstServlet" , "/FirstServlet.do"}, initParams = {@WebInitParam(name="id",value="1"),@WebInitParam(name="name",value="pankaj")})
public class FirstServlet extends HttpServlet {
	private static final long serialVersionUID = 1L;
	public static final String HTML_START="<html><body>";
	public static final String HTML_END="</body></html>";
       
    /**
     * @see HttpServlet#HttpServlet()
     */
    public FirstServlet() {
        super();
        // TODO Auto-generated constructor stub
    }

	/**
	 * @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response)
	 */
	protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
		PrintWriter out = response.getWriter();
		Date date = new Date();
		out.println(HTML_START + "<h2>Hi There!</h2><br/><h3>Date="+date +"</h3>"+HTML_END);
	}

	/**
	 * @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response)
	 */
	protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
		// TODO Auto-generated method stub
	}

}

Before Servlet 3, we need to provide the url pattern information in web application deployment descriptor but servlet 3.0 uses java annotations that is easy to understand and chances of errors are less. Now chose Run > Run on Server option from servlet editor window and use below images for the options. servlet-eclipse-server servlet-eclipse-server-webapps After clicking finish, the browser will open in Eclipse and we get following HTML page. first-servlet-run You can refresh it to check that Date is dynamic and keeps on changing, you can open it outside of Eclipse also in any other browser. So servlet is used to generate HTML and send it in response, if you will look into the doGet() implementation, we are actually creating an HTML document as writing it in response PrintWriter object and we are adding dynamic information where we need it. It’s good for a start but if the response is huge with a lot of dynamic data, it’s error-prone and hard to read and maintain. This is the primary reason for the introduction of JSPs. JSP is also server-side technology and it’s like HTML with additional features to add dynamic content where we need it. JSPs are good for presentation because it’s easy to write because it’s like HTML. Here is our first JSP program that does the same thing as the above servlet.

<%@page import="java.util.Date"%>
<%@ page language="java" contentType="text/html; charset=US-ASCII"
    pageEncoding="US-ASCII"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "https://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>Hello</title>
</head>
<body>
<h2>Hi There!</h2>
<br>
<h3>Date=<%= new Date() %>
</h3>
</body>
</html>

If we run above JSP, we get output like below image. first-jsp-run The final project hierarchy looks like below image in Eclipse. project-hierarchy-servlet

Download FirstServlet Project

Download Servlet Hello World Example Project

We will look into Servlets and JSPs in more detail in future posts but before concluding this post, we should have a good understanding of some of the aspects of Java web applications.

Web Container

Tomcat is a web container, when a request is made from Client to web server, it passes the request to web container and it’s web container job to find the correct resource to handle the request (servlet or JSP) and then use the response from the resource to generate the response and provide it to web server. Then the webserver sends the response back to the client. When web container gets the request and if it’s for servlet then container creates two Objects HTTPServletRequest and HTTPServletResponse. Then it finds the correct servlet based on the URL and creates a thread for the request. Then it invokes the servlet service() method and based on the HTTP method service() method invokes doGet() or doPost() methods. Servlet methods generate the dynamic page and write it to the response. Once servlet thread is complete, the container converts the response to HTTP response and send it back to the client. Some of the important work done by web container are:

  • Communication Support - Container provides easy way of communication between web server and the servlets and JSPs. Because of the container, we don’t need to build a server socket to listen for any request from the webserver, parse the request and generate a response. All these important and complex tasks are done by container and all we need to focus is on our business logic for our applications.
  • Lifecycle and Resource Management - Container takes care of managing the life cycle of servlet. The container takes care of loading the servlets into memory, initializing servlets, invoking servlet methods and destroying them. The container also provides utility like JNDI for resource pooling and management.
  • Multithreading Support - Container creates a new thread for every request to the servlet and when it’s processed the thread dies. So servlets are not initialized for each request and save time and memory.
  • JSP Support - JSPs doesn’t look like normal java classes and web container provides support for JSP. Every JSP in the application is compiled by container and converted to Servlet and then container manages them like other servlets.
  • Miscellaneous Task - Web container manages the resource pool, does memory optimizations, run garbage collector, provides security configurations, support for multiple applications, hot deployment and several other tasks behind the scene that makes our life easier.

Web Application Directory Structure

Java Web Applications are packaged as Web Archive (WAR) and it has a defined structure. You can export above dynamic web project as WAR file and unzip it to check the hierarchy. It will be something like below image. WAR-directory-structure

Deployment Descriptor

web.xml file is the deployment descriptor of the web application and contains a mapping for servlets (prior to 3.0), welcome pages, security configurations, session timeout settings, etc. Thats all for the java web application startup tutorial, we will explore Servlets and JSPs more in future posts. Update: Next tutorial in this series is Java Servlets Tutorial

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about our products

About the author(s)

Category:
Tutorial

While we believe that this content benefits our community, we have not yet thoroughly reviewed it. If you have any suggestions for improvements, please let us know by clicking the “report an issue“ button at the bottom of the tutorial.

Still looking for an answer?

Ask a questionSearch for more help

Was this helpful?
 
JournalDev
DigitalOcean Employee
DigitalOcean Employee badge
August 9, 2013

very nice tutorial, i was under impression that I know all about web applications but I learned something new today. I am still using servlet 2.5 but its nice to see annotations in 3.0 looking forward for future posts, G+1 from my side. :)

- Amit

JournalDev
DigitalOcean Employee
DigitalOcean Employee badge
February 5, 2015

I really enjoyed it thanks alot

- kavousi

    JournalDev
    DigitalOcean Employee
    DigitalOcean Employee badge
    August 9, 2013

    You said HTTP is the common language between server and client and stands for Hyper Text Markup Language ??? I am reading correct ? I mean it must be HTML in place of HTTP. Please let me know if any errors. By the way the article is very nice. Would love to read more about Apache and tomcat practical questions as well as answers to the questions such as where is init method ? what code and class is executed first when first request is received by servlet? Please post informative articles on these subjects too. Also allow people to download the sample code for reference.

    - Aditya

    JournalDev
    DigitalOcean Employee
    DigitalOcean Employee badge
    August 10, 2013

    Thanks Aditya for pointing out the type, mistakenly I wrote HTTP instead of HTML. Corrected the article and next article is about Servlets in more detail. Regarding downloading source code, you can easily copy paste it into Eclipse IDE. Its better for learning than just download the project and run it.

    - Pankaj

      JournalDev
      DigitalOcean Employee
      DigitalOcean Employee badge
      August 19, 2013

      It is outdated to reference Java Enterprise as J2ee, nowdays it is common sense to use Java EE X where X stands for the version 5 or above(eg. Java EE 5). I also doubt that the annotations introduced with EJB 3.0 relate to prior versions of Java EE ;)

      - corsibu

        JournalDev
        DigitalOcean Employee
        DigitalOcean Employee badge
        September 6, 2013

        I savor, lead to I discovered just what I used to be looking for. You’ve ended my 4 day long hunt! God Bless you man. Have a nice day. Bye

        - bagsh

          JournalDev
          DigitalOcean Employee
          DigitalOcean Employee badge
          October 1, 2013

          Can you tell me the why GenericServlet they made as an abstract class Why can’t be interface.

          - Siddu

            JournalDev
            DigitalOcean Employee
            DigitalOcean Employee badge
            January 5, 2014

            Thanks for the quick overview. That was very helpful. I was wondering if you have another overview of how a dynamic web project can be made into a maven dynamic web project?

            - Vash2007

            JournalDev
            DigitalOcean Employee
            DigitalOcean Employee badge
            January 6, 2014

            I think you need to create “Dynamic Web Project” first and then from the project menu, Configure> “Convert to Maven Project” option to convert it to Maven Project.

            - Pankaj

              JournalDev
              DigitalOcean Employee
              DigitalOcean Employee badge
              April 15, 2014

              I m getting below error after running above code please help HTTP Status 404 - /

              - Abhinav Chawan

              JournalDev
              DigitalOcean Employee
              DigitalOcean Employee badge
              April 15, 2014

              check the URL its hitting, 404 means resource not found.

              - Pankaj

                JournalDev
                DigitalOcean Employee
                DigitalOcean Employee badge
                April 29, 2014

                I needed to import this, wasn’t mentioned in the code import javax.servlet.annotation.WebInitParam; it worked after that

                - Lucian

                  JournalDev
                  DigitalOcean Employee
                  DigitalOcean Employee badge
                  April 25, 2014

                  Thanks for this tutorial, great stuff!

                  - Mo Fin

                    JournalDev
                    DigitalOcean Employee
                    DigitalOcean Employee badge
                    June 5, 2014

                    Great to see you are running & accessing servlet from localhost. I succeeded in that. No how can I run same HelloWorld servlet on remote linux server with static IP. I have root access to remote linux machine with static IP. Please help!

                    - Satyabrata Mohanty

                    JournalDev
                    DigitalOcean Employee
                    DigitalOcean Employee badge
                    June 5, 2014

                    Change localhost to the machine IP, thats it.

                    - Pankaj

                      JournalDev
                      DigitalOcean Employee
                      DigitalOcean Employee badge
                      June 19, 2014

                      I am getting an error that constructor Date is undefined.

                      - JACOB JOY

                        JournalDev
                        DigitalOcean Employee
                        DigitalOcean Employee badge
                        June 21, 2014

                        Hi Pankaj, I have a special requirement in my project where I want to establish navigation between 2 different web apps. I have web app1 which will be submitting a transaction. But before this transaction actually gets submitted, I need to call a different web app2 that will authenticate some Knowledge Based Questions. Once successful I need to resume submisstion of transaction and control should come back to web app1…But if authentication fails control should again come back to web app1 and instead of submitin gthe transaction I need to handle it other way. Kindly suggest with some steps and code example. I am using java and Spring MVC. Thanks, Manish

                        - Aravind

                          JournalDev
                          DigitalOcean Employee
                          DigitalOcean Employee badge
                          July 20, 2014

                          Nicely done Pankaj !

                          - Sri

                            JournalDev
                            DigitalOcean Employee
                            DigitalOcean Employee badge
                            August 2, 2014

                            pankaj i like your help to the people who want knowledge you are nice one god bless you. ok my problem is me i need to develop software of internet tv as my project so java is enough in my project or what other programming language which are better for my project like html and java script i need your help teacher

                            - sabin elias morris

                              JournalDev
                              DigitalOcean Employee
                              DigitalOcean Employee badge
                              August 28, 2014

                              Hi Pankaj, It is really good and useful article. Good that you have taken up the latest servlet3.0 examples. Really helpful.

                              - Kishore

                                JournalDev
                                DigitalOcean Employee
                                DigitalOcean Employee badge
                                September 6, 2014

                                Hi Sir, Can you please make all the tutorials and interview questions as downloadable “PDFf” files then it will be very useful. Thanks.

                                - stalin

                                  JournalDev
                                  DigitalOcean Employee
                                  DigitalOcean Employee badge
                                  September 13, 2014

                                  what if your version of Apache tomcat is not listed in Eclipe–>Window–>Preferences–>Server–>RTE–>Add–>Apache? Thanks,

                                  - Don

                                    JournalDev
                                    DigitalOcean Employee
                                    DigitalOcean Employee badge
                                    October 19, 2014

                                    Nice tutorial but you shouldn’t have to worry about these types of things anymore… it’s time consuming. Use the Jigy Generator to create your project and everything will be completely configured for you. Jigy Generator reverse engineers your database to create all your DAO’s, domain objects and validators for you. Plus you have certain things that just work out of the box like login, authentication, file upload etc. You can download the project at www.getjigy.com

                                    - right_now

                                      JournalDev
                                      DigitalOcean Employee
                                      DigitalOcean Employee badge
                                      November 3, 2014

                                      I’m getting this error: HTTP Status 405 - HTTP method GET is not supported by this URL -------------------------------------------------------------------------------- type Status report message HTTP method GET is not supported by this URL description The specified HTTP method is not allowed for the requested resource. -------------------------------------------------------------------------------- Apache Tomcat/7.0.47

                                      - misaochan

                                        JournalDev
                                        DigitalOcean Employee
                                        DigitalOcean Employee badge
                                        November 12, 2014

                                        Nice Tutorials, but if you want to clear your concept click on the like

                                        - Mayyank

                                          JournalDev
                                          DigitalOcean Employee
                                          DigitalOcean Employee badge
                                          November 26, 2014

                                          I am getting this error. Please help. WebInitParam cannot be resolved to a type

                                          - chaitra

                                            Try DigitalOcean for free

                                            Click below to sign up and get $200 of credit to try our products over 60 days!

                                            Sign up

                                            Join the Tech Talk
                                            Success! Thank you! Please check your email for further details.

                                            Please complete your information!

                                            Congratulations on unlocking the whale ambience easter egg!

                                            Click the whale button in the bottom left of your screen to toggle some ambient whale noises while you read.

                                            Thank you to the Glacier Bay National Park & Preserve and Merrick079 for the sounds behind this easter egg.

                                            Interested in whales, protecting them, and their connection to helping prevent climate change? We recommend checking out the Whale and Dolphin Conservation.

                                            Become a contributor for community

                                            Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.

                                            DigitalOcean Documentation

                                            Full documentation for every DigitalOcean product.

                                            Resources for startups and SMBs

                                            The Wave has everything you need to know about building a business, from raising funding to marketing your product.

                                            Get our newsletter

                                            Stay up to date by signing up for DigitalOcean’s Infrastructure as a Newsletter.

                                            New accounts only. By submitting your email you agree to our Privacy Policy

                                            The developer cloud

                                            Scale up as you grow — whether you're running one virtual machine or ten thousand.

                                            Get started for free

                                            Sign up and get $200 in credit for your first 60 days with DigitalOcean.*

                                            *This promotional offer applies to new accounts only.