Server information in a servlet
In a servlet, obtaining server information is essential for understanding the environment in which your servlet is running. This information can include server name, port number, server software, and other server-related details. Java servlets provide various methods to access this information through the HttpServletRequest and ServletContext interfaces.

Table of Contents
Key Points to Access Server Information in a Servlet
1. Â HttpServletRequest Interface
- Provides methods to get server name, server port, and other request-related information.
- Methods include getServerName(), getServerPort(), getScheme(), and getLocalAddr().
2. Â ServletContext Interface
- Â Allows access to server-information and configuration parameters.
- Â Methods include getServerInfo() and getServletContextName().
Java Example
Here is an example demonstrating how to get information in a servlet:
Example
java
import java.io.IOException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
@WebServlet("/ServerInfoServlet")
public class ServerInfoServlet extends HttpServlet {
private static final long serialVersionUID = 1L;
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
response.setContentType("text/html");
PrintWriter out = response.getWriter();
// Using HttpServletRequest to get server information
String serverName = request.getServerName();
int serverPort = request.getServerPort();
String serverScheme = request.getScheme();
String localAddress = request.getLocalAddr();
// Using ServletContext to get server information
ServletContext context = getServletContext();
String serverInfo = context.getServerInfo();
String contextName = context.getServletContextName();
out.println("<html><body>");
out.println("<h1>Server Information</h1>");
out.println("<p>Server Name: " + serverName + "</p>");
out.println("<p>Server Port: " + serverPort + "</p>");
out.println("<p>Server Scheme: " + serverScheme + "</p>");
out.println("<p>Local Address: " + localAddress + "</p>");
out.println("<p>Server Info: " + serverInfo + "</p>");
out.println("<p>Context Name: " + contextName + "</p>");
out.println("</body></html>");
out.close();
}
}
Explanation information in a servlet
HttpServletRequest Methods
- getServerName(): Retrieves the name of the server to which the request was sent.
- getServerPort(): Retrieves the port number on which the request was received.
- getScheme(): Retrieves the scheme used for the request (e.g., http or https).
- getLocalAddr(): Retrieves the IP address of the server on which the request was received.
ServletContext Methods
- getServerInfo(): Retrieves the name and version of the servlet container.
- getServletContextName(): Retrieves the name of the web application.