rui.pereira
rui.pereira

Reputation: 43

Send information from PHP to Java

I want to send some information from PHP to Java. Why? Because I have a database on my server, and I get information from my database using PHP scripts.

Now I want to send that information to my client in Java. How can I do that?

I send information from Java to PHP by POST, and it works well, but I don't know how can I do the reverse.

Can you help me?

I saw this code, from a GET connection in Java... is it correct?

public String HttpClientTutorial(){
    String url = "http://testes.neoscopio.com/myrepo/send.php";
       InputStream content = null;  
       try {  
         HttpClient httpclient = new DefaultHttpClient();  
         HttpResponse response = httpclient.execute(new HttpGet(url)); 

         content = response.getEntity().getContent();  
       } catch (Exception e) {  
         Log.e("[GET REQUEST]", "Network exception", e);  
       }  


  String response = content.toString();

  return response;
}

P.S: I'm an android developer, not a Java developer...

Upvotes: 1

Views: 1902

Answers (1)

aioobe
aioobe

Reputation: 420951

From exampledepot: Sending POST request (Modified to get the output of your send.php.)

try {
    // Construct data
    String data = URLEncoder.encode("key1", "UTF-8") + "=" + URLEncoder.encode("value1", "UTF-8");
    data += "&" + URLEncoder.encode("key2", "UTF-8") + "=" + URLEncoder.encode("value2", "UTF-8");

    // Send data
    URL url = new URL("http://testes.neoscopio.com/myrepo/send.php");
    URLConnection conn = url.openConnection();
    conn.setDoOutput(true);
    OutputStreamWriter wr = new OutputStreamWriter(conn.getOutputStream());
    wr.write(data);
    wr.flush();

    // Get the response
    BufferedReader rd = new BufferedReader(new InputStreamReader(conn.getInputStream()));
    String line;
    while ((line = rd.readLine()) != null) {
        // Process line...
    }
    wr.close();
    rd.close();
} catch (Exception e) {
}

P.S. This should work fine on Android. :)

(I usually import static java.net.URLEncoder.encode but that's a matter of taste.)

Upvotes: 2

Related Questions