Click here to Skip to main content
15,885,278 members
Articles / Programming Languages / Java / Java SE / J2EE
Tip/Trick

Create a Simple Web Server in Java (1) - HTTP Server

Rate me:
Please Sign up or sign in to vote.
4.64/5 (7 votes)
15 Oct 2015CPOL2 min read 223.5K   4.4K   13   6
Create a simple Http Server using Java SDK and process GET/POST requests

Introduction

This tip introduces a simple HTTP server class which you may incorporate into your own projects and it can work either locally or processing limited concurrent requests.

Background

An Http Server is bound to an IP address and port number and listens for incoming requests and returns responses to clients. Simple http server is flexible to be added into complex projects for rendering Html elements or serving as a backend server, or even deployed in the client side to drive specific devices. If you are looking for a solution to create a simple HTTP server which can be easily embedded to your projects and process limited web requests, this tip meets your need.

Here is the structure of Http Server implementation:

Image 1

Using the Code

Since Java 1.6, there's a built-in HTTP server included with the J2EE SDK. It can be downloaded at:

A simple HTTP server can be added to a Java program using four steps:

  • Construct an HTTP server object
  • Attach one or more HTTP handler objects to the HTTP server object
  • Implement HTTP handler to process GET/POST requests and generate responses
  • Start the HTTP server

1. Create a http Server

The HttpServer class provides a simple high-level Http server API, which can be used to build embedded HTTP servers.

Java
int port = 9000;
HttpServer server = HttpServer.create(new InetSocketAddress(port), 0);
System.out.println("server started at " + port);
server.createContext("/", new RootHandler());
server.createContext("/echoHeader", new EchoHeaderHandler());
server.createContext("/echoGet", new EchoGetHandler());
server.createContext("/echoPost", new EchoPostHandler());
server.setExecutor(null);
server.start();

2. Create http Handler

Http Handlers are associated with http server in order to process requests. Each HttpHandler is registered with a context path which represents the location of service on this server. Requests for a defined URI path is mapped to the right http handler. Any request for which no handler can be found is rejected with a 404 response.

Create root handler to display server status:

Java
public class RootHandler implements HttpHandler {

         @Override

         public void handle(HttpExchange he) throws IOException {
                 String response = "<h1>Server start success 
                 if you see this message</h1>" + "<h1>Port: " + port + "</h1>";
                 he.sendResponseHeaders(200, response.length());
                 OutputStream os = he.getResponseBody();
                 os.write(response.getBytes());
                 os.close();
         }
}

Declare echoHeader handler to display request header information:

Java
public class EchoHeaderHandler implements HttpHandler {

         @Override
         public void handle(HttpExchange he) throws IOException {
                 Headers headers = he.getRequestHeaders();
                 Set<Map.Entry<String, List<String>>> entries = headers.entrySet();
                 String response = "";
                 for (Map.Entry<String, List<String>> entry : entries)
                          response += entry.toString() + "\n";
                 he.sendResponseHeaders(200, response.length());
                 OutputStream os = he.getResponseBody();
                 os.write(response.toString().getBytes());
                 os.close();
         }}

3. Process Get and Post Requests

There are two common methods for a request-response between a client and server through HTTP protocol:

  • GET - Requests data from specified resources
  • POST - Submits data to be processed to identified resources

Here, you create two handlers to process GET/POST methods respectively.

Declare echoGet handler to process Get request:

Java
public class EchoGetHandler implements HttpHandler {

         @Override

         public void handle(HttpExchange he) throws IOException {
                 // parse request
                 Map<String, Object> parameters = new HashMap<String, Object>();
                 URI requestedUri = he.getRequestURI();
                 String query = requestedUri.getRawQuery();
                 parseQuery(query, parameters);

                 // send response
                 String response = "";
                 for (String key : parameters.keySet())
                          response += key + " = " + parameters.get(key) + "\n";
                 he.sendResponseHeaders(200, response.length());
                 OutputStream os = he.getResponseBody();
                 os.write(response.toString().getBytes());

                 s.close();
         }
}

Declare echoPost handler to process Post request:

Java
public class EchoPostHandler implements HttpHandler {

         @Override

         public void handle(HttpExchange he) throws IOException {
                 // parse request
                 Map<String, Object> parameters = new HashMap<String, Object>();
                 InputStreamReader isr = new InputStreamReader(he.getRequestBody(), "utf-8");
                 BufferedReader br = new BufferedReader(isr);
                 String query = br.readLine();
                 parseQuery(query, parameters);

                 // send response
                 String response = "";
                 for (String key : parameters.keySet())
                          response += key + " = " + parameters.get(key) + "\n";
                 he.sendResponseHeaders(200, response.length());
                 OutputStream os = he.getResponseBody();
                 os.write(response.toString().getBytes());
                 os.close();
         }
}

Here, you declare a static parseQuery() method to parse request parameters:

Java
public static void parseQuery(String query, Map<String, 
	Object> parameters) throws UnsupportedEncodingException {

         if (query != null) {
                 String pairs[] = query.split("[&]");
                 for (String pair : pairs) {
                          String param[] = pair.split("[=]");
                          String key = null;
                          String value = null;
                          if (param.length > 0) {
                          key = URLDecoder.decode(param[0], 
                          	System.getProperty("file.encoding"));
                          }

                          if (param.length > 1) {
                                   value = URLDecoder.decode(param[1], 
                                   System.getProperty("file.encoding"));
                          }

                          if (parameters.containsKey(key)) {
                                   Object obj = parameters.get(key);
                                   if (obj instanceof List<?>) {
                                            List<String> values = (List<String>) obj;
                                            values.add(value);

                                   } else if (obj instanceof String) {
                                            List<String> values = new ArrayList<String>();
                                            values.add((String) obj);
                                            values.add(value);
                                            parameters.put(key, values);
                                   }
                          } else {
                                   parameters.put(key, value);
                          }
                 }
         }
}

4. Test http Server

/ display server status, processed by RootHandler

Image 2

/echoHeader displays header information, processed by EchoHeaderHandler.

Image 3

/echoGet processed by EchoGetHandler:

Image 4Image 5

/echoPost processed by EchoPostHandler.

Image 6Image 7

History

  • October 15, 2015: Initial version posted
  • October 19, 2015: Added server tests
  • October 23, 2015: Updated source code

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Canada Canada
Andy Feng is a software analyst/developer based in Toronto, Canada. He has 9+ years experience in software design and development. He specializes in Java/J2EE and .Net solutions, focusing on Spring, Hibernate, JavaFX, ASP.NET MVC, Entity framework, Web services, JQuery, SQL and related technologies.

Follow up with my blogs at: http://andyfengc.github.io/

Comments and Discussions

 
Questionmycert.keystore Pin
fMuwouJjdjdoue29-Sep-21 2:01
fMuwouJjdjdoue29-Sep-21 2:01 
Questionwhat if I need to have PathParams Pin
Member 1487427926-Jun-20 8:41
Member 1487427926-Jun-20 8:41 
Questionhttps Pin
marco amusquivar23-Feb-19 3:30
professionalmarco amusquivar23-Feb-19 3:30 
Questionhow we use this Pin
Member 1316217930-Apr-17 1:57
Member 1316217930-Apr-17 1:57 
QuestionConsiderations Pin
Member 1297559631-Jan-17 1:06
Member 1297559631-Jan-17 1:06 
QuestionGet HTML file? Pin
Member 1222252428-Dec-15 4:02
Member 1222252428-Dec-15 4:02 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.