Java 17 HTTP Client: How to Handle Redirects Properly with Custom Headers?
I'm using the Java 17 HTTP Client to make requests to an API that requires custom headers for authentication. However, I've encountered an scenario where the client doesn't seem to carry over the custom headers when it follows redirects. This is problematic because the API expects these headers to be present on every request, including the redirected one. Here's a snippet of my code that demonstrates the setup: ```java import java.net.URI; import java.net.http.HttpClient; import java.net.http.HttpRequest; import java.net.http.HttpResponse; import java.net.http.HttpHeaders; public class HttpExample { public static void main(String[] args) throws Exception { HttpClient client = HttpClient.newBuilder() .followRedirects(HttpClient.Redirect.NORMAL) .build(); HttpRequest request = HttpRequest.newBuilder() .uri(URI.create("http://example.com/api/resource")) .header("Authorization", "Bearer YOUR_TOKEN_HERE") .header("Custom-Header", "CustomValue") .GET() .build(); HttpResponse<String> response = client.send(request, HttpResponse.BodyHandlers.ofString()); System.out.println(response.body()); } } ``` When I make a request, the initial call works fine, and I receive the expected response. However, if the API responds with a redirect (HTTP status 302), the headers seem to be dropped in the subsequent request. I tried switching to `HttpClient.Redirect.ALWAYS`, but that didn't solve the question either. Is there a way to ensure that my custom headers are included in all redirect requests? Is this a limitation of the Java HTTP Client, or am I missing a configuration option? Any help would be appreciated! For context: I'm using Java on Windows.