The Java EE 7 Tutorial
17.14 Protocol Upgrade Processing
In HTTP/1.1, clients can request to switch to a different protocol on the current connection by using the Upgrade
header field. If the server accepts the request to switch to the protocol indicated by the client, it generates an HTTP response with status 101 (switching protocols). After this exchange, the client and the server communicate using the new protocol.
For example, a client can make an HTTP request to switch to the XYZP protocol as follows:
GET /xyzpresource HTTP/1.1 Host: localhost:8080 Accept: text/html Upgrade: XYZP Connection: Upgrade OtherHeaderA: Value
The client can specify parameters for the new protocol using HTTP headers. The server can accept the request and generate a response as follows:
HTTP/1.1 101 Switching Protocols Upgrade: XYZP Connection: Upgrade OtherHeaderB: Value (XYZP data)
Java EE supports the HTTP protocol upgrade functionality in servlets, as described in Table 17-7.
Table 17-7 Protocol Upgrade Support
Class or Interface | Method |
---|---|
|
The upgrade method starts the protocol upgrade processing. This method instantiates a class that implements the You call the |
|
The |
|
The |
|
The |
|
The |
The following code demonstrates how to accept an HTTP protocol upgrade request from a client:
@WebServlet(urlPatterns={"/xyzpresource"}) public class XYZPUpgradeServlet extends HttpServlet { @Override public void doGet(HttpServletRequest request, HttpServletResponse response) { if ("XYZP".equals(request.getHeader("Upgrade"))) { /* Accept upgrade request */ response.setStatus(101); response.setHeader("Upgrade", "XYZP"); response.setHeader("Connection", "Upgrade"); response.setHeader("OtherHeaderB", "Value"); /* Delegate the connection to the upgrade handler */ XYZPUpgradeHandler = request.upgrade(XYZPUpgradeHandler.class); /* (the service method returns immedately) */ } else { /* ... write error response ... */ } } }
The XYZPUpgradeHandler
class handles the connection:
public class XYZPUpgradeHandler implements HttpUpgradeHandler { @Override public void init(WebConnection wc) { ServletInputStream input = wc.getInputStream(); ServletOutputStream output = wc.getOutputStream(); /* ... implement XYZP using these streams (protocol-specific) ... */ } @Override public void destroy() { ... } }
The class that implements HttpUpgradeHandler
uses the streams from the current connection to communicate with the client using the new protocol. See the Servlet 3.1 specification at http://jcp.org/en/jsr/detail?id=340
for details on HTTP protocol upgrade support.