web-dev-qa-db-ja.com

Java httpserverはリクエストの受信時にクラッシュしますPOST

Java POSTリクエストを処理できる単純なHTTPサーバーを作成しようとしています。サーバーはGETを正常に受信しますが、POSTでクラッシュします。

これがサーバーです

public class RequestHandler {
    public static void main(String[] args) throws Exception {
        HttpServer server = HttpServer.create(new InetSocketAddress(8080), 0);
        server.createContext("/requests", new MyHandler());
        server.setExecutor(null); // creates a default executor
        server.start();
    }

    static class MyHandler implements HttpHandler {
        public void handle(HttpExchange t) throws IOException {
            String response = "hello world";
            t.sendResponseHeaders(200, response.length());
            System.out.println(response);
            OutputStream os = t.getResponseBody();
            os.write(response.getBytes());
            os.close();
        }
    }
}

そして、これが私がPOSTを送信するために使用するJavaコードです

// HTTP POST request
private void sendPost() throws Exception {

    String url = "http://localhost:8080/requests";
    URL obj = new URL(url);
    HttpsURLConnection con = (HttpsURLConnection) obj.openConnection();

    //add reuqest header
    con.setRequestMethod("POST");
    con.setRequestProperty("User-Agent", USER_AGENT);
    con.setRequestProperty("Accept-Language", "en-US,en;q=0.5");

    String urlParameters = "sn=C02G8416DRJM&cn=&locale=&caller=&num=12345";

    // Send post request
    con.setDoOutput(true);
    DataOutputStream wr = new DataOutputStream(con.getOutputStream());
    wr.writeBytes(urlParameters);
    wr.flush();
    wr.close();

    int responseCode = con.getResponseCode();
    System.out.println("\nSending 'POST' request to URL : " + url);
    System.out.println("Post parameters : " + urlParameters);
    System.out.println("Response Code : " + responseCode);

    BufferedReader in = new BufferedReader(
            new InputStreamReader(con.getInputStream()));
    String inputLine;
    StringBuffer response = new StringBuffer();

    while ((inputLine = in.readLine()) != null) {
        response.append(inputLine);
    }
    in.close();

    //print result
    System.out.println(response.toString());
}

POSTリクエストがこの行でクラッシュするたび

HttpsURLConnection con = (HttpsURLConnection) obj.openConnection();

しかし、URLを、これを見つけた例で提供されているものに変更すると、機能します。

6
Alex Brashear

の代わりに

_HttpsURLConnection con = (HttpsURLConnection) obj.openConnection();
_

使用する

_HttpURLConnection con = (HttpURLConnection) obj.openConnection();
_

HTTPS以外のURLに接続しています。 obj.openConnection()を呼び出すと、接続がHTTPかHTTPSかが決定され、適切なオブジェクトが返されます。 httpの場合、HttpsURLConnectionは返されないため、変換できません。

ただし、HttpsURLconnectionHttpURLConnectionを拡張するため、HttpURLConnectionの使用はhttphttpsの両方のURLで機能します。コードで呼び出しているメソッドはすべて、HttpURLConnectionクラスに存在します。

4
RealSkeptic