Writing HTTP servers and clients

Vert.x allows you to easily write non blocking HTTP clients and servers.

Creating an HTTP Server

The simplest way to create an HTTP server, using all default options is as follows:

def server = vertx.createHttpServer()

Configuring an HTTP server

If you don’t want the default, a server can be configured by passing in a HttpServerOptions instance when creating it:

def options = [
  maxWebsocketFrameSize:1000000
]

def server = vertx.createHttpServer(options)

Start the Server Listening

To tell the server to listen for incoming requests you use one of the listen alternatives.

To tell the server to listen at the host and port as specified in the options:

def server = vertx.createHttpServer()
server.listen()

Or to specify the host and port in the call to listen, ignoring what is configured in the options:

def server = vertx.createHttpServer()
server.listen(8080, "myhost.com")

The default host is 0.0.0.0 which means 'listen on all available addresses' and the default port is 80.

The actual bind is asynchronous so the server might not actually be listening until some time after the call to listen has returned.

If you want to be notified when the server is actually listening you can provide a handler to the listen call. For example:

def server = vertx.createHttpServer()
server.listen(8080, "myhost.com", { res ->
  if (res.succeeded()) {
    println("Server is now listening!")
  } else {
    println("Failed to bind!")
  }
})

Getting notified of incoming requests

To be notified when a request arrives you need to set a requestHandler:

def server = vertx.createHttpServer()
server.requestHandler({ request ->
  // Handle the request in here
})

Handling requests

When a request arrives, the request handler is called passing in an instance of HttpServerRequest. This object represents the server side HTTP request.

The handler is called when the headers of the request have been fully read.

If the request contains a body, that body will arrive at the server some time after the request handler has been called.

The server request object allows you to retrieve the uri, path, params and headers, amongst other things.

Each server request object is associated with one server response object. You use response to get a reference to the HttpServerResponse object.

Here’s a simple example of a server handling a request and replying with "hello world" to it.

vertx.createHttpServer().requestHandler({ request ->
  request.response().end("Hello world")
}).listen(8080)

Request version

The version of HTTP specified in the request can be retrieved with version

Request method

Use method to retrieve the HTTP method of the request. (i.e. whether it’s GET, POST, PUT, DELETE, HEAD, OPTIONS, etc).

Request URI

Use uri to retrieve the URI of the request.

Note that this is the actual URI as passed in the HTTP request, and it’s almost always a relative URI.

Request path

Use path to return the path part of the URI

For example, if the request URI was:

a/b/c/page.html?param1=abc&param2=xyz

Then the path would be

/a/b/c/page.html

Request query

Use query to return the query part of the URI

For example, if the request URI was:

a/b/c/page.html?param1=abc&param2=xyz

Then the query would be

param1=abc&param2=xyz

Request headers

Use headers to return the headers of the HTTP request.

This returns an instance of MultiMap - which is like a normal Map or Hash but allows multiple values for the same key - this is because HTTP allows multiple header values with the same key.

It also has case-insensitive keys, that means you can do the following:

def headers = request.headers()

// Get the User-Agent:
println("User agent is ${headers.get("user-agent")}")

// You can also do this and get the same result:
println("User agent is ${headers.get("User-Agent")}")

Request parameters

Use params to return the parameters of the HTTP request.

Just like headers this returns an instance of MultiMap as there can be more than one parameter with the same name.

Request parameters are sent on the request URI, after the path. For example if the URI was:

/page.html?param1=abc&param2=xyz

Then the parameters would contain the following:

param1: 'abc'
param2: 'xyz

Note that these request parameters are retrieved from the URL of the request. If you have form attributes that have been sent as part of the submission of an HTML form submitted in the body of a multi-part/form-data request then they will not appear in the params here.

Remote address

The address of the sender of the request can be retrieved with remoteAddress.

Absolute URI

The URI passed in an HTTP request is usually relative. If you wish to retrieve the absolute URI corresponding to the request, you can get it with absoluteURI

End handler

The endHandler of the request is invoked when the entire request, including any body has been fully read.

Reading Data from the Request Body

Often an HTTP request contains a body that we want to read. As previously mentioned the request handler is called when just the headers of the request have arrived so the request object does not have a body at that point.

This is because the body may be very large (e.g. a file upload) and we don’t generally want to buffer the entire body in memory before handing it to you, as that could cause the server to exhaust available memory.

To receive the body, you can use the handler on the request, this will get called every time a chunk of the request body arrives. Here’s an example:

request.handler({ buffer ->
  println("I have received a chunk of the body of length ${buffer.length()}")
})

The object passed into the handler is a Buffer, and the handler can be called multiple times as data arrives from the network, depending on the size of the body.

In some cases (e.g. if the body is small) you will want to aggregate the entire body in memory, so you could do the aggregation yourself as follows:

import io.vertx.groovy.core.buffer.Buffer

// Create an empty buffer
def totalBuffer = Buffer.buffer()

request.handler({ buffer ->
  println("I have received a chunk of the body of length ${buffer.length()}")
  totalBuffer.appendBuffer(buffer)
})

request.endHandler({ v ->
  println("Full body received, length = ${totalBuffer.length()}")
})

This is such a common case, that Vert.x provides a bodyHandler to do this for you. The body handler is called once when all the body has been received:

request.bodyHandler({ totalBuffer ->
  println("Full body received, length = ${totalBuffer.length()}")
})

Pumping requests

The request object is a ReadStream so you can pump the request body to any WriteStream instance.

See the chapter on streams and pumps for a detailed explanation.

Handling HTML forms

HTML forms can be submitted with either a content type of application/x-www-form-urlencoded or multipart/form-data.

For url encoded forms, the form attributes are encoded in the url, just like normal query parameters.

For multi-part forms they are encoded in the request body, and as such are not available until the entire body has been read from the wire.

Multi-part forms can also contain file uploads.

If you want to retrieve the attributes of a multi-part form you should tell Vert.x that you expect to receive such a form before any of the body is read by calling setExpectMultipart with true, and then you should retrieve the actual attributes using formAttributes once the entire body has been read:

server.requestHandler({ request ->
  request.setExpectMultipart(true)
  request.endHandler({ v ->
    // The body has now been fully read, so retrieve the form attributes
    def formAttributes = request.formAttributes()
  })
})

Handling form file uploads

Vert.x can also handle file uploads which are encoded in a multi-part request body.

To receive file uploads you tell Vert.x to expect a multi-part form and set an uploadHandler on the request.

This handler will be called once for every upload that arrives on the server.

The object passed into the handler is a HttpServerFileUpload instance.

server.requestHandler({ request ->
  request.setExpectMultipart(true)
  request.uploadHandler({ upload ->
    println("Got a file upload ${upload.name()}")
  })
})

File uploads can be large we don’t provide the entire upload in a single buffer as that might result in memory exhaustion, instead, the upload data is received in chunks:

request.uploadHandler({ upload ->
  upload.handler({ chunk ->
    println("Received a chunk of the upload of length ${chunk.length()}")
  })
})

The upload object is a ReadStream so you can pump the request body to any WriteStream instance. See the chapter on streams and pumps for a detailed explanation.

If you just want to upload the file to disk somewhere you can use streamToFileSystem:

request.uploadHandler({ upload ->
  upload.streamToFileSystem("myuploads_directory/${upload.filename()}")
})
Warning
Make sure you check the filename in a production system to avoid malicious clients uploading files to arbitrary places on your filesystem. See security notes for more information.

Sending back responses

The server response object is an instance of HttpServerResponse and is obtained from the request with response.

You use the response object to write a response back to the HTTP client.

Setting status code and message

The default HTTP status code for a response is 200, representing OK.

Use setStatusCode to set a different code.

You can also specify a custom status message with setStatusMessage.

If you don’t specify a status message, the default one corresponding to the status code will be used.

Writing HTTP responses

To write data to an HTTP response, you use one the write operations.

These can be invoked multiple times before the response is ended. They can be invoked in a few ways:

With a single buffer:

def response = request.response()
response.write(buffer)

With a string. In this case the string will encoded using UTF-8 and the result written to the wire.

def response = request.response()
response.write("hello world!")

With a string and an encoding. In this case the string will encoded using the specified encoding and the result written to the wire.

def response = request.response()
response.write("hello world!", "UTF-16")

Writing to a response is asynchronous and always returns immediately after the write has been queued.

If you are just writing a single string or buffer to the HTTP response you can write it and end the response in a single call to the end

The first call to write results in the response header being being written to the response. Consequently, if you are not using HTTP chunking then you must set the Content-Length header before writing to the response, since it will be too late otherwise. If you are using HTTP chunking you do not have to worry.

Ending HTTP responses

Once you have finished with the HTTP response you should end it.

This can be done in several ways:

With no arguments, the response is simply ended.

def response = request.response()
response.write("hello world!")
response.end()

It can also be called with a string or buffer in the same way write is called. In this case it’s just the same as calling write with a string or buffer followed by calling end with no arguments. For example:

def response = request.response()
response.end("hello world!")

Closing the underlying connection

You can close the underlying TCP connection with close.

Non keep-alive connections will be automatically closed by Vert.x when the response is ended.

Keep-alive connections are not automatically closed by Vert.x by default. If you want keep-alive connections to be closed after an idle time, then you configure idleTimeout.

Setting response headers

HTTP response headers can be added to the response by adding them directly to the headers:

def response = request.response()
def headers = response.headers()
headers.set("content-type", "text/html")
headers.set("other-header", "wibble")

Or you can use putHeader

def response = request.response()
response.putHeader("content-type", "text/html").putHeader("other-header", "wibble")

Headers must all be added before any parts of the response body are written.

Chunked HTTP responses and trailers

This allows the HTTP response body to be written in chunks, and is normally used when a large response body is being streamed to a client and the total size is not known in advance.

You put the HTTP response into chunked mode as follows:

def response = request.response()
response.setChunked(true)

Default is non-chunked. When in chunked mode, each call to one of the write methods will result in a new HTTP chunk being written out.

When in chunked mode you can also write HTTP response trailers to the response. These are actually written in the final chunk of the response.

To add trailers to the response, add them directly to the trailers.

def response = request.response()
response.setChunked(true)
def trailers = response.trailers()
trailers.set("X-wibble", "woobble").set("X-quux", "flooble")

Or use putTrailer.

def response = request.response()
response.setChunked(true)
response.putTrailer("X-wibble", "woobble").putTrailer("X-quux", "flooble")

Serving files directly from disk

If you were writing a web server, one way to serve a file from disk would be to open it as an AsyncFile and pump it to the HTTP response.

Or you could load it it one go using readFile and write it straight to the response.

Alternatively, Vert.x provides a method which allows you to serve a file from disk to an HTTP response in one operation. Where supported by the underlying operating system this may result in the OS directly transferring bytes from the file to the socket without being copied through user-space at all.

This is done by using sendFile, and is usually more efficient for large files, but may be slower for small files.

Here’s a very simple web server that serves files from the file system using sendFile:

vertx.createHttpServer().requestHandler({ request ->
  def file = ""
  if (request.path() == "/") {
    file = "index.html"
  } else if (!request.path().contains("..")) {
    file = request.path()
  }
  request.response().sendFile("web/${file}")
}).listen(8080)

Sending a file is asynchronous and may not complete until some time after the call has returned. If you want to be notified when the file has been writen you can use sendFile

Note
If you use sendFile while using HTTPS it will copy through user-space, since if the kernel is copying data directly from disk to socket it doesn’t give us an opportunity to apply any encryption.
Warning
If you’re going to write web servers directly using Vert.x be careful that users cannot exploit the path to access files outside the directory from which you want to serve them. It may be safer instead to use Vert.x Web.

When there is a need to serve just a segment of a file, say starting from a given byte, you can achieve this by doing:

vertx.createHttpServer().requestHandler({ request ->
  def offset = 0
  try {
    offset = java.lang.Long.parseLong(request.getParam("start"))
  } catch(Exception e) {
    // error handling...
  }


  def end = java.lang.Long.MAX_VALUE
  try {
    end = java.lang.Long.parseLong(request.getParam("end"))
  } catch(Exception e) {
    // error handling...
  }


  request.response().sendFile("web/mybigfile.txt", offset, end)
}).listen(8080)

You are not required to supply the length if you want to send a file starting from an offset until the end, in this case you can just do:

vertx.createHttpServer().requestHandler({ request ->
  def offset = 0
  try {
    offset = java.lang.Long.parseLong(request.getParam("start"))
  } catch(Exception e) {
    // error handling...
  }


  request.response().sendFile("web/mybigfile.txt", offset)
}).listen(8080)

Pumping responses

The server response is a WriteStream instance so you can pump to it from any ReadStream, e.g. AsyncFile, NetSocket, WebSocket or HttpServerRequest.

Here’s an example which echoes the request body back in the response for any PUT methods. It uses a pump for the body, so it will work even if the HTTP request body is much larger than can fit in memory at any one time:

import io.vertx.core.http.HttpMethod
import io.vertx.groovy.core.streams.Pump
vertx.createHttpServer().requestHandler({ request ->
  def response = request.response()
  if (request.method() == HttpMethod.PUT) {
    response.setChunked(true)
    Pump.pump(request, response).start()
    request.endHandler({ v ->
      response.end()
    })
  } else {
    response.setStatusCode(400).end()
  }
}).listen(8080)

HTTP Compression

Vert.x comes with support for HTTP Compression out of the box.

This means you are able to automatically compress the body of the responses before they are sent back to the client.

If the client does not support HTTP compression the responses are sent back without compressing the body.

This allows to handle Client that support HTTP Compression and those that not support it at the same time.

To enable compression use can configure it with compressionSupported.

By default compression is not enabled.

When HTTP compression is enabled the server will check if the client incldes an Accept-Encoding header which includes the supported compressions. Commonly used are deflate and gzip. Both are supported by Vert.x.

If such a header is found the server will automatically compress the body of the response with one of the supported compressions and send it back to the client.

Be aware that compression may be able to reduce network traffic but is more CPU-intensive.

Creating an HTTP client

You create an HttpClient instance with default options as follows:

def client = vertx.createHttpClient()

If you want to configure options for the client, you create it as follows:

def options = [
  keepAlive:false
]
def client = vertx.createHttpClient(options)

Making requests

The http client is very flexible and there are various ways you can make requests with it.

Often you want to make many requests to the same host/port with an http client. To avoid you repeating the host/port every time you make a request you can configure the client with a default host/port:

// Set the default host
def options = [
  defaultHost:"wibble.com"
]
// Can also set default port if you want...
def client = vertx.createHttpClient(options)
client.getNow("/some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

Alternatively if you find yourself making lots of requests to different host/ports with the same client you can simply specify the host/port when doing the request.

def client = vertx.createHttpClient()

// Specify both port and host name
client.getNow(8080, "myserver.mycompany.com", "/some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

// This time use the default port 80 but specify the host name
client.getNow("foo.othercompany.com", "/other-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

Both methods of specifying host/port are supported for all the different ways of making requests with the client.

Simple requests with no request body

Often, you’ll want to make HTTP requests with no request body. This is usually the case with HTTP GET, OPTIONS and HEAD requests.

The simplest way to do this with the Vert.x http client is using the methods prefixed with Now. For example getNow.

These methods create the http request and send it in a single method call and allow you to provide a handler that will be called with the http response when it comes back.

def client = vertx.createHttpClient()

// Send a GET request
client.getNow("/some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

// Send a GET request
client.headNow("/other-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

Writing general requests

At other times you don’t know the request method you want to send until run-time. For that use case we provide general purpose request methods such as request which allow you to specify the HTTP method at run-time:

import io.vertx.core.http.HttpMethod
def client = vertx.createHttpClient()

client.request(HttpMethod.GET, "some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
}).end()

client.request(HttpMethod.POST, "foo-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
}).end("some-data")

Writing request bodies

Sometimes you’ll want to write requests which have a body, or perhaps you want to write headers to a request before sending it.

To do this you can call one of the specific request methods such as post or one of the general purpose request methods such as request.

These methods don’t send the request immediately, but instead return an instance of HttpClientRequest which can be used to write to the request body or write headers.

Here are some examples of writing a POST request with a body: m

def client = vertx.createHttpClient()

def request = client.post("some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

// Now do stuff with the request
request.putHeader("content-length", "1000")
request.putHeader("content-type", "text/plain")
request.write(body)

// Make sure the request is ended when you're done with it
request.end()

// Or fluently:

client.post("some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
}).putHeader("content-length", "1000").putHeader("content-type", "text/plain").write(body).end()

// Or event more simply:

client.post("some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
}).putHeader("content-type", "text/plain").end(body)

Methods exist to write strings in UTF-8 encoding and in any specific encoding and to write buffers:

import io.vertx.groovy.core.buffer.Buffer

// Write string encoded in UTF-8
request.write("some data")

// Write string encoded in specific encoding
request.write("some other data", "UTF-16")

// Write a buffer
def buffer = Buffer.buffer()
buffer.appendInt(123).appendLong(245L)
request.write(buffer)

If you are just writing a single string or buffer to the HTTP request you can write it and end the request in a single call to the end function.

import io.vertx.groovy.core.buffer.Buffer

// Write string and end the request (send it) in a single call
request.end("some simple data")

// Write buffer and end the request (send it) in a single call
def buffer = Buffer.buffer().appendDouble(12.34d).appendLong(432L)
request.end(buffer)

When you’re writing to a request, the first call to write will result in the request headers being written out to the wire.

The actual write is asynchronous and might not occur until some time after the call has returned.

Non-chunked HTTP requests with a request body require a Content-Length header to be provided.

Consequently, if you are not using chunked HTTP then you must set the Content-Length header before writing to the request, as it will be too late otherwise.

If you are calling one of the end methods that take a string or buffer then Vert.x will automatically calculate and set the Content-Length header before writing the request body.

If you are using HTTP chunking a a Content-Length header is not required, so you do not have to calculate the size up-front.

Writing request headers

You can write headers to a request using the headers multi-map as follows:

// Write some headers using the headers() multimap

def headers = request.headers()
headers.set("content-type", "application/json").set("other-header", "foo")

The headers are an instance of MultiMap which provides operations for adding, setting and removing entries. Http headers allow more than one value for a specific key.

You can also write headers using putHeader

// Write some headers using the putHeader method

request.putHeader("content-type", "application/json").putHeader("other-header", "foo")

If you wish to write headers to the request you must do so before any part of the request body is written.

Ending HTTP requests

Once you have finished with the HTTP request you must end it with one of the end operations.

Ending a request causes any headers to be written, if they have not already been written and the request to be marked as complete.

Requests can be ended in several ways. With no arguments the request is simply ended:

request.end()

Or a string or buffer can be provided in the call to end. This is like calling write with the string or buffer before calling end with no arguments

import io.vertx.groovy.core.buffer.Buffer
// End the request with a string
request.end("some-data")

// End it with a buffer
def buffer = Buffer.buffer().appendFloat(12.3f).appendInt(321)
request.end(buffer)

Chunked HTTP requests

Vert.x supports HTTP Chunked Transfer Encoding for requests.

This allows the HTTP request body to be written in chunks, and is normally used when a large request body is being streamed to the server, whose size is not known in advance.

You put the HTTP request into chunked mode using setChunked.

In chunked mode each call to write will cause a new chunk to be written to the wire. In chunked mode there is no need to set the Content-Length of the request up-front.

request.setChunked(true)

// Write some chunks
for (def i = 0;i < 10;i++) {
  request.write("this-is-chunk-${i}")
}

request.end()

Request timeouts

You can set a timeout for a specific http request using setTimeout.

If the request does not return any data within the timeout period an exception will be passed to the exception handler (if provided) and the request will be closed.

Handling exceptions

You can handle exceptions corresponding to a request by setting an exception handler on the HttpClientRequest instance:

def request = client.post("some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})
request.exceptionHandler({ e ->
  println("Received exception: ${e.getMessage()}")
  e.printStackTrace()
})

This does not handle non 2xx response that need to be handled in the HttpClientResponse code:

def request = client.post("some-uri", { response ->
  if (response.statusCode() == 200) {
    println("Everything fine")
    return
  }
  if (response.statusCode() == 500) {
    println("Unexpected behavior on the server side")
    return
  }
})
request.end()
Important
XXXNow methods cannot receive an exception handler.

Specifying a handler on the client request

Instead of providing a response handler in the call to create the client request object, alternatively, you can not provide a handler when the request is created and set it later on the request object itself, using handler, for example:

def request = client.post("some-uri")
request.handler({ response ->
  println("Received response with status code ${response.statusCode()}")
})

Using the request as a stream

The HttpClientRequest instance is also a WriteStream which means you can pump to it from any ReadStream instance.

For, example, you could pump a file on disk to a http request body as follows:

import io.vertx.groovy.core.streams.Pump

request.setChunked(true)
def pump = Pump.pump(file, request)
file.endHandler({ v ->
  request.end()
})
pump.start()

Handling http responses

You receive an instance of HttpClientResponse into the handler that you specify in of the request methods or by setting a handler directly on the HttpClientRequest object.

You can query the status code and the status message of the response with statusCode and statusMessage.

client.getNow("some-uri", { response ->
  // the status code - e.g. 200 or 404
  println("Status code is ${response.statusCode()}")

  // the status message e.g. "OK" or "Not Found".
  println("Status message is ${response.statusMessage()}")
})

Using the response as a stream

The HttpClientResponse instance is also a ReadStream which means you can pump it to any WriteStream instance.

Response headers and trailers

Http responses can contain headers. Use headers to get the headers.

The object returned is a MultiMap as HTTP headers can contain multiple values for single keys.

def contentType = response.headers().get("content-type")
def contentLength = response.headers().get("content-lengh")

Chunked HTTP responses can also contain trailers - these are sent in the last chunk of the response body.

You use trailers to get the trailers. Trailers are also a MultiMap.

Reading the request body

The response handler is called when the headers of the response have been read from the wire.

If the response has a body this might arrive in several pieces some time after the headers have been read. We don’t wait for all the body to arrive before calling the response handler as the response could be very large and we might be waiting a long time, or run out of memory for large responses.

As parts of the response body arrive, the handler is called with a Buffer representing the piece of the body:

client.getNow("some-uri", { response ->

  response.handler({ buffer ->
    println("Received a part of the response body: ${buffer}")
  })
})

If you know the response body is not very large and want to aggregate it all in memory before handling it, you can either aggregate it yourself:

import io.vertx.groovy.core.buffer.Buffer

client.getNow("some-uri", { response ->

  // Create an empty buffer
  def totalBuffer = Buffer.buffer()

  response.handler({ buffer ->
    println("Received a part of the response body: ${buffer.length()}")

    totalBuffer.appendBuffer(buffer)
  })

  response.endHandler({ v ->
    // Now all the body has been read
    println("Total response body length is ${totalBuffer.length()}")
  })
})

Or you can use the convenience bodyHandler which is called with the entire body when the response has been fully read:

client.getNow("some-uri", { response ->

  response.bodyHandler({ totalBuffer ->
    // Now all the body has been read
    println("Total response body length is ${totalBuffer.length()}")
  })
})

Response end handler

The response endHandler is called when the entire response body has been read or immediately after the headers have been read and the response handler has been called if there is no body.

Reading cookies from the response

You can retrieve the list of cookies from a response using cookies.

Alternatively you can just parse the Set-Cookie headers yourself in the response.

100-Continue handling

According to the HTTP 1.1 specification a client can set a header Expect: 100-Continue and send the request header before sending the rest of the request body.

The server can then respond with an interim response status Status: 100 (Continue) to signify to the client that it is ok to send the rest of the body.

The idea here is it allows the server to authorise and accept/reject the request before large amounts of data are sent. Sending large amounts of data if the request might not be accepted is a waste of bandwidth and ties up the server in reading data that it will just discard.

Vert.x allows you to set a continueHandler on the client request object

This will be called if the server sends back a Status: 100 (Continue) response to signify that it is ok to send the rest of the request.

This is used in conjunction with `sendHead`to send the head of the request.

Here’s an example:

def request = client.put("some-uri", { response ->
  println("Received response with status code ${response.statusCode()}")
})

request.putHeader("Expect", "100-Continue")

request.continueHandler({ v ->
  // OK to send rest of body
  request.write("Some data")
  request.write("Some more data")
  request.end()
})

On the server side a Vert.x http server can be configured to automatically send back 100 Continue interim responses when it receives an Expect: 100-Continue header. This is done by setting the option handle100ContinueAutomatically.

If you’d prefer to decide whether to send back continue responses manually, then this property should be set to false (the default), then you can inspect the headers and call writeContinue if you wish the client to continue sending the body or you can reject the request by sending back a failure status code if you don’t want it to send the body. For example:

Enabling compression on the client

The http client comes with support for HTTP Compression out of the box.

This means the client can let the remote http server know that it supports compression, and will be able to handle compressed response bodies.

An http server is free to either compress with one of the supported compression algorithms or to send the body back without compressing it at all. So this is only a hint for the Http server which it may ignore at will.

To tell the http server which compression is supported by the client it will include an Accept-Encoding header with the supported compression algorithm as value. Multiple compression algorithms are supported. In case of Vert.x this will result in the following header added:

Accept-Encoding: gzip, deflate

The server will choose then from one of these. You can detect if a server ompressed the body by checking for the Content-Encoding header in the response sent back from it.

If the body of the response was compressed via gzip it will include for example the following header:

Content-Encoding: gzip

To enable compression set tryUseCompression on the options used when creating the client.

By default compression is disabled.

Pooling and keep alive

Http keep alive allows http connections to be used for more than one request. This can be a more efficient use of connections when you’re making multiple requests to the same server.

The http client supports pooling of connections, allowing you to reuse connections between requests.

For pooling to work, keep alive must be true using keepAlive on the options used when configuring the client. The default value is true.

When keep alive is enabled. Vert.x will add a Connection: Keep-Alive header to each HTTP/1.0 request sent. When keep alive is disabled. Vert.x will add a Connection: Close header to each HTTP/1.1 request sent to signal that the connection will be closed after completion of the response.

The maximum number of connections to pool for each server is configured using maxPoolSize

When making a request with pooling enabled, Vert.x will create a new connection if there are less than the maximum number of connections already created for that server, otherwise it will add the request to a queue.

Keep alive connections will not be closed by the client automatically. To close them you can close the client instance.

Alternatively you can set idle timeout using idleTimeout - any connections not used within this timeout will be closed. Please note the idle timeout value is in seconds not milliseconds.

Pipe-lining

The client also supports pipe-lining of requests on a connection.

Pipe-lining means another request is sent on the same connection before the response from the preceding one has returned. Pipe-lining is not appropriate for all requests.

To enable pipe-lining, it must be enabled using pipelining. By default pipe-lining is disabled.

When pipe-lining is enabled requests will be written to connections without waiting for previous responses to return.

Server sharing

When several HTTP servers listen on the same port, vert.x orchestrates the request handling using a round-robin strategy.

Let’s take a verticle creating a HTTP server such as:

io.vertx.examples.http.sharing.HttpServerVerticle
vertx.createHttpServer().requestHandler({ request ->
  request.response().end("Hello from server ${this}")
}).listen(8080)

This service is listening on the port 8080. So, when this verticle is instantiated multiple times as with: vertx run io.vertx.examples.http.sharing.HttpServerVerticle -instances 2, what’s happening ? If both verticles would bind to the same port, you would receive a socket exception. Fortunately, vert.x is handling this case for you. When you deploy another server on the same host and port as an existing server it doesn’t actually try and create a new server listening on the same host/port. It binds only once to the socket. When receiving a request it calls the server handlers following a round robin strategy.

Let’s now imagine a client such as:

vertx.setPeriodic(100, { l ->
  vertx.createHttpClient().getNow(8080, "localhost", "/", { resp ->
    resp.bodyHandler({ body ->
      println(body.toString("ISO-8859-1"))
    })
  })
})

Vert.x delegates the requests to one of the server sequentially:

Hello from i.v.e.h.s.HttpServerVerticle@1
Hello from i.v.e.h.s.HttpServerVerticle@2
Hello from i.v.e.h.s.HttpServerVerticle@1
Hello from i.v.e.h.s.HttpServerVerticle@2
...

Consequently the servers can scale over available cores while each Vert.x verticle instance remains strictly single threaded, and you don’t have to do any special tricks like writing load-balancers in order to scale your server on your multi-core machine.

Using HTTPS with Vert.x

Vert.x http servers and clients can be configured to use HTTPS in exactly the same way as net servers.

Please see configuring net servers to use SSL for more information.

WebSockets

WebSockets are a web technology that allows a full duplex socket-like connection between HTTP servers and HTTP clients (typically browsers).

Vert.x supports WebSockets on both the client and server-side.

WebSockets on the server

There are two ways of handling WebSockets on the server side.

WebSocket handler

The first way involves providing a websocketHandler on the server instance.

When a WebSocket connection is made to the server, the handler will be called, passing in an instance of ServerWebSocket.

server.websocketHandler({ websocket ->
  println("Connected!")
})

You can choose to reject the WebSocket by calling reject.

server.websocketHandler({ websocket ->
  if (websocket.path() == "/myapi") {
    websocket.reject()
  } else {
    // Do something
  }
})
Upgrading to WebSocket

The second way of handling WebSockets is to handle the HTTP Upgrade request that was sent from the client, and call upgrade on the server request.

server.requestHandler({ request ->
  if (request.path() == "/myapi") {

    def websocket = request.upgrade()
    // Do something

  } else {
    // Reject
    request.response().setStatusCode(400).end()
  }
})
The server WebSocket

The ServerWebSocket instance enables you to retrieve the headers, path path}, query and uri URI} of the HTTP request of the WebSocket handshake.

WebSockets on the client

The Vert.x HttpClient supports WebSockets.

You can connect a WebSocket to a server using one of the websocket operations and providing a handler.

The handler will be called with an instance of WebSocket when the connection has been made:

client.websocket("/some-uri", { websocket ->
  println("Connected!")
})

Writing messages to WebSockets

If you wish to write a single binary WebSocket message to the WebSocket you can do this with writeBinaryMessage:

import io.vertx.groovy.core.buffer.Buffer
// Write a simple message
def buffer = Buffer.buffer().appendInt(123).appendFloat(1.23f)

websocket.writeBinaryMessage(buffer)

If the WebSocket message is larger than the maximum websocket frame size as configured with maxWebsocketFrameSize then Vert.x will split it into multiple WebSocket frames before sending it on the wire.

Writing frames to WebSockets

A WebSocket message can be composed of multiple frames. In this case the first frame is either a binary or text frame followed by zero or more continuation frames.

The last frame in the message is marked as final.

To send a message consisting of multiple frames you create frames using WebSocketFrame.binaryFrame , WebSocketFrame.textFrame or WebSocketFrame.continuationFrame and write them to the WebSocket using writeFrame.

Here’s an example for binary frames:

import io.vertx.groovy.core.http.WebSocketFrame

def frame1 = WebSocketFrame.binaryFrame(buffer1, false)
websocket.writeFrame(frame1)

def frame2 = WebSocketFrame.continuationFrame(buffer2, false)
websocket.writeFrame(frame2)

// Write the final frame
def frame3 = WebSocketFrame.continuationFrame(buffer2, true)
websocket.writeFrame(frame3)

In many cases you just want to send a websocket message that consists of a single final frame, so we provide a couple of shortcut methods to do that with writeFinalBinaryFrame and writeFinalTextFrame.

Here’s an example:

import io.vertx.groovy.core.buffer.Buffer

// Send a websocket messages consisting of a single final text frame:

websocket.writeFinalTextFrame("Geronimo!")

// Send a websocket messages consisting of a single final binary frame:

def buff = Buffer.buffer().appendInt(12).appendString("foo")

websocket.writeFinalBinaryFrame(buff)

Reading frames from WebSockets

To read frames from a WebSocket you use the frameHandler.

The frame handler will be called with instances of WebSocketFrame when a frame arrives, for example:

websocket.frameHandler({ frame ->
  println("Received a frame of size!")
})

Closing WebSockets

Use close to close the WebSocket connection when you have finished with it.

Streaming WebSockets

The WebSocket instance is also a ReadStream and a WriteStream so it can be used with pumps.

When using a WebSocket as a write stream or a read stream it can only be used with WebSockets connections that are used with binary frames that are no split over multiple frames.

Automatic clean-up in verticles

If you’re creating http servers and clients from inside verticles, those servers and clients will be automatically closed when the verticle is undeployed.