2017-09-01 22 views
0

HttpURLConnectionを使用してHTTP POSTリクエストを送信しました。誰かが配列パラメータをどのようにフォーマットして送るか教えてもらえますか? JSONのBodyパラメータをリクエストします。JSONパラメータを配列として持つJavaでのHTTP POSTリクエスト

{ 
    "data": [ 
    { 
     "type": "enrolled-courses", 
     "id": "ea210647-aa59-49c1-85d1-5cae0ea6eed0" 
    } 
    ] 
} 

現在のところ私のコードです。

private void sendPost() throws Exception { 


      URL url = new URL("my_url"); 
       Map<String,Object> params = new LinkedHashMap<>(); 
       params.put("type", "courses"); 
       params.put("id", "19cfa424-b215-4c39-ac13-0491f1a5415d");   

       StringBuilder postData = new StringBuilder(); 
       for (Map.Entry<String,Object> param : params.entrySet()) { 
        if (postData.length() != 0) postData.append('&'); 
        postData.append(URLEncoder.encode(param.getKey(), "UTF-8")); 
        postData.append('='); 
        postData.append(URLEncoder.encode(String.valueOf(param.getValue()), "UTF-8")); 
       } 
       byte[] postDataBytes = postData.toString().getBytes("UTF-8"); 

       HttpURLConnection conn = (HttpURLConnection)url.openConnection(); 
       conn.setRequestMethod("POST"); 
       conn.setRequestProperty("Content-Type", "application/x-www-form-urlencoded"); 
       conn.setRequestProperty("Content-Length", String.valueOf(postDataBytes.length)); 
       conn.setDoOutput(true); 
       conn.getOutputStream().write(postDataBytes); 

       Reader in = new BufferedReader(new InputStreamReader(conn.getInputStream(), "UTF-8")); 

       for (int c; (c = in.read()) >= 0;) 
        System.out.print((char)c); 
      } 

レスポンスコードは内容を意味しない204です。助けていただければ幸いです。

+0

の可能な重複 - (https://stackoverflow.com/questions/4205980/java-sending-http-parameters-via-post-method-easily)ジャワ容易POSTメソッドを介して、HTTPパラメータを送信] – DamCx

+0

必要に応じてObjectを作成し、JacksonのObject Mapperを使用して文字列に変換します。 –

答えて

0

私は、apache http apiで構築されたhttp-requestを試してみることをおすすめします。

private static final HttpRequest<String.class> HTTP_REQUEST = 
     HttpRequestBuilder.createPost(YOUR_URI, String.class) 
      .responseDeserializer(ResponseDeserializer.ignorableDeserializer()) 
      .build(); 

private void sendPost(){ 
     Map<String, String> params = new HashMap<>(); 
     params.put("type", "courses"); 
     params.put("id", "19cfa424-b215-4c39-ac13-0491f1a5415d"); 

     ResponseHandler<String> rh = HTTP_REQUEST.execute(params); 
     rh.ifSuccess(this::whenSuccess).otherwise(this::whenNotSuccess); 
} 

privat void whenSuccess(ResponseHandler<String> rh){ 
    if(rh.hasContent()){ 
     System.out.println(rh.get()); // prints response 
    }else{ 
     System.out.println("Response is not available. Status code is: " + rh.getStatusCode()); 
    } 
} 

privat void whenNotSuccess(ResponseHandler<String> rh){ 
    System.out.println(rh.getErrorText()); 
} 
関連する問題