Custom HTTP Header with the HttpClient
1. Overview
If you want to dig deeper and learn other cool things you can do with the HttpClient – head on over to the main HttpClient tutorial.
Further reading:
Do a Simple HTTP Request in Java
A quick and practical guide to performing basic HTTP requests using Java’s built-in HttpUrlConnection.
Exploring the New HTTP Client in Java 9 and 11
Explore the new Java 9’s HttpClient API which provides a lot of flexibility and powerful features.
2. Set Header on Request – 4.3 and above
HttpClient 4.3 has introduced a new way of building requests – the RequestBuilder. To set a header, we’ll use the setHeader method – on the builder:
HttpClient client = HttpClients.custom().build();
HttpUriRequest request = RequestBuilder.get()
.setUri(SAMPLE_URL)
.setHeader(HttpHeaders.CONTENT_TYPE, "application/json")
.build();
client.execute(request);
3. Set Header on Request – Before 4.3
In versions pre 4.3 of HttpClient, we can set any custom header on a request with a simple setHeader call on the request:
HttpClient client = new DefaultHttpClient();
HttpGet request = new HttpGet(SAMPLE_URL);
request.setHeader(HttpHeaders.CONTENT_TYPE, "application/json");
client.execute(request);
As we can see, we’re setting the Content-Type directly on the request to a custom value – JSON.
4. Set Default Header on the Client
Instead of setting the Header on each and every request, we can also configure it as a default header on the Client itself:
Header header = new BasicHeader(HttpHeaders.CONTENT_TYPE, "application/json");
List<Header> headers = Lists.newArrayList(header);
HttpClient client = HttpClients.custom().setDefaultHeaders(headers).build();
HttpUriRequest request = RequestBuilder.get().setUri(SAMPLE_URL).build();
client.execute(request);
This is extremely helpful when the header needs to be the same for all requests – such as a custom application header.
5. Conclusion
This article illustrated how to add an HTTP header to one or all requests sent via the Apache HttpClient.
The implementation of all these examples and code snippets can be found in the GitHub project.