Как отправить строку с помощью HttpURLConnection в Android

Мне нужно отправить строку в мой веб-сервис, и у меня есть сомнения по поводу того, как отправить строку с помощью HttpURLConnection.

Obs: в строке "результат" у меня есть что-то вроде:

 {"sex":"Famale","nome":"Larissa Aparecida Nogueira","convenios":[{"convenio":2,"tipo":"Principal","number":"44551-1456-6678-3344"}],"user":"lari.ap","email":"lari.ap@yahoo.com.br","cell":"(19)98167-5569"}

ниже мой код:

   public UsuerService(Context context, String result) {
       this.progressDialog = new ProgressDialog(context);
       this.context = context;
       this.result = result;
   }

  @Override
   protected String doInBackground(String... params) {

        String responseString = "";
        try {
             URL url = new URL(Constants.USUARIO + "/createUsuario");
             HttpURLConnection httpURLConnection = (HttpURLConnection) url.openConnection();
             httpURLConnection.setRequestMethod("POST");


             BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(httpURLConnection.getInputStream()));
             String inputLine;
             StringBuilder response = new StringBuilder();

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

            result = response.toString();
            bufferedReader.close();
           } catch (Exception e) {
            Log.d("InputStream", e.getMessage());
        }

         return null;
   }

У меня есть класс, который забирает мои данные и анализирует их в JsonObject. Мне нужно понять, как отправить свой object.toString() для веб-службы, используя HttpURLConnection.

следующий код:

 public String parserUsuarioJson(){

    JSONObject object = new JSONObject();

    try {
        object.put(Constants.KEY_NAME, mUsuario.getNome());
        object.put(Constants.KEY_EMAIL, mUsuario.getEmail());
        object.put(Constants.KEY_USER, mUsuario.getUser());
        object.put(Constants.KEY_PASS, mUsuario.getSenha());
        object.put(Constants.KEY_SEX, mUsuario.getSexo());
        object.put(Constants.KEY_CELLPHONE, mUsuario.getCelular());

        JSONArray array = new JSONArray();

        for(int i = 0; i < mUsuario.getUsuarioConvenios().size() ; i++){
            JSONObject convenio = new JSONObject();

            convenio.put(Constants.KEY_CONVENIO, mUsuario.getUsuarioConvenios().get(i).getConvenio().getId());
            convenio.put(Constants.KEY_NUMBER, mUsuario.getUsuarioConvenios().get(i).getNumero());
            convenio.put(Constants.KEY_TYPE, mUsuario.getUsuarioConvenios().get(i).getTipo());

            array.put(convenio);
        }
        object.put(Constants.KEY_CONVENIOS, array);
    } catch (JSONException e) {
        Log.e("Register", e.getMessage());
    }

    return object.toString();

}

Заранее спасибо.:)

3 ответа

Решение

Используйте NameValuePairList для отправки данных.

Попробуйте что-то вроде этого...

HttpClient httpclient = new DefaultHttpClient();
HttpPost httppost = new HttpPost(Constants.USUARIO + "/createUsuario");

try { 
        // Add your key-value pair here
        List<NameValuePair> nameValuePairs = new ArrayList<NameValuePair>();
        nameValuePairs.add(new BasicNameValuePair("sex", "female"));
        nameValuePairs.add(new BasicNameValuePair("nome", "Larissa Aparecida Nogueira"));
        // set all other key-value pairs

        httppost.setEntity(new UrlEncodedFormEntity(nameValuePairs));

        HttpResponse response = httpclient.execute(httppost);

    } catch (ClientProtocolException e) {
        // TODO Auto-generated catch block 
    } catch (IOException e) {
        // TODO Auto-generated catch block 
    } 

Для отправки объекта json по сети с помощью http post.

передать строку JSON здесь

 StringEntity se = new StringEntity(object.toString());
 httpost.setEntity(se);
 httpost.setHeader("Accept", "application/json");
 httpost.setHeader("Content-type", "application/json");
 HttpResponse response = httpclient.execute(httpost);

Не забудьте поймать исключение.

Отправка объекта json с использованием httpurlConnection...

try {
  //constants
  URL url = new URL(Constants.USUARIO + "/createUsuario");
  String yourJsonString = object.toString();

  HttpURLConnection conn = (HttpURLConnection) url.openConnection();
  conn.setRequestMethod("POST");
  conn.setDoInput(true);
  conn.setDoOutput(true);
  conn.setFixedLengthStreamingMode(yourJsonString.getBytes().length);

  conn.setRequestProperty("Content-Type", "application/json;charset=utf-8");
  conn.setRequestProperty("X-Requested-With", "XMLHttpRequest");

  conn.connect();

  OutputStream os = new BufferedOutputStream(conn.getOutputStream());
  os.write(yourJsonString.getBytes());

  os.flush();

  InputStream is = conn.getInputStream();
} finally {  
  //clean up
  os.close();
  is.close();
  conn.disconnect();
}

Как я получаю, вы хотите отправить строку в веб-сервис. Я даю вам пример кода здесь, где я отправляю некоторые строковые значения в веб-сервис. Это рабочий код

    private class BackgroundOperation extends AsyncTask<String, Void, String> {

        @Override
        protected String doInBackground(String... params) 
            //Your network connection code should be here .
            String response = postCall("Put your WebService url here");
            return response ;
        }

        @Override
        protected void onPostExecute(String result) {
            //Print your response here .
            Log.d("Post Response",result);

        }

        @Override
        protected void onPreExecute() {}

        @Override
        protected void onProgressUpdate(Void... values) {}
    }

        public static String postCall(String uri) {
        String result ="";
        try {
            //Connect
            HttpURLConnection urlConnection = (HttpURLConnection) ((new URL(uri).openConnection()));
            urlConnection.setDoOutput(true);
            urlConnection.setRequestProperty("Content-Type", "application/json");
            urlConnection.setRequestProperty("Accept", "application/json");
            urlConnection.setRequestMethod("POST");
            urlConnection.connect();
            //Write
            OutputStream outputStream = urlConnection.getOutputStream();
            BufferedWriter writer = new BufferedWriter(new OutputStreamWriter(outputStream, "UTF-8"));
//Call parserUsuarioJson() inside write(),Make sure it is returning proper json string .
            writer.write(parserUsuarioJson());
            writer.close();
            outputStream.close();

            //Read
            BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(urlConnection.getInputStream(), "UTF-8"));
            String line = null;
            StringBuilder sb = new StringBuilder();
            while ((line = bufferedReader.readLine()) != null) {
                sb.append(line);
            }
            bufferedReader.close();
            result = sb.toString();
        } catch (UnsupportedEncodingException e){
            e.printStackTrace();
        } catch (IOException e) {
            e.printStackTrace();
        }
        return result;
    }

Теперь вы можете вызвать выше из функции onCreate() вашей деятельности, используя приведенный ниже код.

new BackgroundOperation().execute("");

Примечание: не забудьте упомянуть ниже разрешение в вашем manifest.xml

<uses-permission android:name="android.permission.INTERNET" /> 

Примечание: убедитесь, что

1 parserUsuarioJson() возвращает правильную строку json.

2 Ваш веб-сервис работает.

  @Override
  protected String doInBackground(String... params) {
    try {

        URL url = new URL(Constants.USUARIO + "/createUsuario");
        HttpURLConnection httpURLConnection = (HttpURLConnection) url.openConnection();
        httpURLConnection.setRequestMethod("POST");
        httpURLConnection.setDoInput(true);
        httpURLConnection.setDoOutput(true);
        httpURLConnection.setFixedLengthStreamingMode(result.getBytes().length);

        httpURLConnection.setRequestProperty("Content-Type", "application/json;charset=utf-8");
        httpURLConnection.setRequestProperty("X-Requested-With", "XMLHttpRequest");

        httpURLConnection.connect();

        OutputStream os = new BufferedOutputStream(httpURLConnection.getOutputStream());
        os.write(result.getBytes());
        os.flush();

        os = httpURLConnection.getOutputStream();

        os.close();
        httpURLConnection.disconnect();

    } catch (Exception e) {
        Log.d("InputStream", e.getMessage());
    }
Другие вопросы по тегам