HTTPURLConnection Doesn't Follow Redirect from HTTP to HTTPS

后端 未结 6 468
时光取名叫无心
时光取名叫无心 2020-11-22 10:39

I can\'t understand why Java\'s HttpURLConnection does not follow an HTTP redirect from an HTTP to an HTTPS URL. I use the following code to get the page at htt

6条回答
  •  隐瞒了意图╮
    2020-11-22 11:05

    HttpURLConnection by design won't automatically redirect from HTTP to HTTPS (or vice versa). Following the redirect may have serious security consequences. SSL (hence HTTPS) creates a session that is unique to the user. This session can be reused for multiple requests. Thus, the server can track all of the requests made from a single person. This is a weak form of identity and is exploitable. Also, the SSL handshake can ask for the client's certificate. If sent to the server, then the client's identity is given to the server.

    As erickson points out, suppose the application is set up to perform client authentication automatically. The user expects to be surfing anonymously because he's using HTTP. But if his client follows HTTPS without asking, his identity is revealed to the server.

    The programmer has to take extra steps to ensure that credentials, client certificates or SSL session id will not be sent before redirecting from HTTP to HTTPS. The default is to send these. If the redirection hurts the user, do not follow the redirection. This is why automatic redirect is not supported.

    With that understood, here's the code which will follow the redirects.

      URL resourceUrl, base, next;
      Map visited;
      HttpURLConnection conn;
      String location;
      int times;
    
      ...
      visited = new HashMap<>();
    
      while (true)
      {
         times = visited.compute(url, (key, count) -> count == null ? 1 : count + 1);
    
         if (times > 3)
            throw new IOException("Stuck in redirect loop");
    
         resourceUrl = new URL(url);
         conn        = (HttpURLConnection) resourceUrl.openConnection();
    
         conn.setConnectTimeout(15000);
         conn.setReadTimeout(15000);
         conn.setInstanceFollowRedirects(false);   // Make the logic below easier to detect redirections
         conn.setRequestProperty("User-Agent", "Mozilla/5.0...");
    
         switch (conn.getResponseCode())
         {
            case HttpURLConnection.HTTP_MOVED_PERM:
            case HttpURLConnection.HTTP_MOVED_TEMP:
               location = conn.getHeaderField("Location");
               location = URLDecoder.decode(location, "UTF-8");
               base     = new URL(url);               
               next     = new URL(base, location);  // Deal with relative URLs
               url      = next.toExternalForm();
               continue;
         }
    
         break;
      }
    
      is = conn.openStream();
      ...
    

提交回复
热议问题