php - Android与php和mysql的连接返回空结果

标签 php android mysql json android-asynctask

我正在创建登录 Activity ,需要使用 json 获取响应和 asynctask 在后台连接,但当我使用 id 进行 mysql 查询选择时,结果始终为空。

我知道错误出在java代码中的id字符串中,但我不知道如何分配这个字符串“id”来获取数据库中的id然后检索所需的数据。如果有人可以帮助我,我将不胜感激。

memebers.sql

-- Database: `fil`
--

-- --------------------------------------------------------

--
-- Table structure for table `members`
--

CREATE TABLE IF NOT EXISTS `members` (
  `id` int(10) NOT NULL AUTO_INCREMENT,
  `user_name` varchar(255) NOT NULL,
  `password` varchar(255) NOT NULL,
  PRIMARY KEY (`id`,`user_name`)
) ENGINE=InnoDB  DEFAULT CHARSET=utf8 AUTO_INCREMENT=3 ;

--
-- Dumping data for table `members`
--

INSERT INTO `members` (`id`, `user_name`, `password`) VALUES
(1, 'cptjs', 'cpt'),
(2, 'ltpb', 'lt123');

检查.php

<?php

require_once('db_config.php'); 


// array for JSON response
$response = array();




  if(isset($_GET['pid'])){


     $pid = $_GET['pid'];  





     $query_search = "select * from members where id = '".$pid."'";  

//       $query_search = "select * from members where user_name = 'cptjs' AND password = 'cpt'";     


     $query_exec = mysql_query($query_search) or die(mysql_error());

   if (mysql_num_rows($query_exec)>0) 
   {
        $result = mysql_fetch_array($query_exec);

        $person = array();
        $response["pid"]=$result["id"];
        $person["username"]=$result["user_name"];
        $person["password"]=$result["password"];



   error_log(print_r($response, true));
   // success
        $response["success"] = 1;

   // user node
        $response["person"] = array();

        array_push($response["person"], $person);

   // echoing JSON response
        echo json_encode($response);

    }
    else
    {




    error_log(print_r($response, true));


   // no user found
            $response["success"] = 0;
            $response["message"] = "No User found";


  error_log(print_r($response, true));

   // echo no users JSON
           echo json_encode($response);
    }
}
else 
{
    // required field is missing
    $response["success"] = 0;
    $response["message"] = "Required field(s) are missing";

    // echoing JSON response
    echo json_encode($response);
}    
?>

日志猫

02-11 10:33:33.165: W/IInputConnectionWrapper(3520): showStatusIcon on inactive InputConnection
02-11 10:33:47.889: W/EGL_genymotion(3520): eglSurfaceAttrib not implemented
02-11 10:33:55.789: W/INbUFFERED Reader(3520): before  the buffered reader beguin
02-11 10:33:55.793: W/INbUFFERED Reader(3520): the JsonObject is {"message":"No User found","success":0}
02-11 10:33:55.793: W/INbUFFERED Reader(3520): before  the Parsing beguin
02-11 10:33:55.793: W/INbUFFERED  2 Reader(3520): the JsonObject is{"message":"No User found","success":0}
02-11 10:33:55.813: W/EGL_genymotion(3520): eglSurfaceAttrib not implemented

JSONParser.java

package pack.coderzheaven;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.UnsupportedEncodingException;
import java.util.List;

import org.apache.http.HttpEntity;
import org.apache.http.HttpResponse;
import org.apache.http.NameValuePair;
import org.apache.http.client.ClientProtocolException;
import org.apache.http.client.entity.UrlEncodedFormEntity;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.client.utils.URLEncodedUtils;
import org.apache.http.impl.client.DefaultHttpClient;
import org.json.JSONException;
import org.json.JSONObject;

import android.util.Log;

public class JSONParser {

    static InputStream is = null;
    static JSONObject jObj;
    static String json = "";

    // constructor
    public JSONParser() {

    }

    // function get json from url
    // by making HTTP POST or GET mehtod
    public JSONObject makeHttpRequest(String url, String method,
            List<NameValuePair> params) {

        // Making HTTP request
        try {

            // check for request method



            if (method == "GET") {
                // request method is GET
                DefaultHttpClient httpClient = new DefaultHttpClient();
                String paramString = URLEncodedUtils.format(params, "utf-8");
                url += "?" + paramString;
                HttpGet httpGet = new HttpGet(url);

                HttpResponse httpResponse = httpClient.execute(httpGet);
                HttpEntity httpEntity = httpResponse.getEntity();
                is = httpEntity.getContent();
            }

        } catch (UnsupportedEncodingException e) {
            e.printStackTrace();
        } catch (ClientProtocolException e) {
            e.printStackTrace();
        } catch (IOException e) {
            e.printStackTrace();
        }

        try {

            Log.w("INbUFFERED Reader", "before  the buffered reader beguin");
            BufferedReader reader = new BufferedReader(new InputStreamReader(
                    is, "iso-8859-1"), 8);
            StringBuilder sb = new StringBuilder();
            String line = null;
            while ((line = reader.readLine()) != null) {
                sb.append(line);

            }
            is.close();

            json = sb.toString().substring(0, sb.toString().length() - 1);
            json = sb.toString();
        } catch (Exception e) {
            Log.e("Buffer Error", "Error converting result " + e.toString());
        }

        // try parse the string to a JSON object
        try {
            Log.w("INbUFFERED Reader", "the JsonObject is " + jObj);
            Log.w("INbUFFERED Reader", "before  the Parsing beguin");
            jObj = new JSONObject(json);

            Log.w("INbUFFERED  2 Reader", "the JsonObject is" + jObj);
        } catch (JSONException e) {
            Log.e("JSON Parser", "Error parsing data " + e.toString());
        }

        // return JSON String
        return jObj;

    }
}

AndroidPHPConnectionDemo.java

包 pack.coderzheaven;

import java.util.ArrayList;
import java.util.List;

import org.apache.http.HttpResponse;
import org.apache.http.NameValuePair;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.message.BasicNameValuePair;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;

import android.app.Activity;
import android.app.ProgressDialog;
import android.os.AsyncTask;
import android.os.Bundle;
import android.util.Log;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
import android.widget.Toast;

public class AndroidPHPConnectionDemo extends Activity {
    Button b;
    EditText et, pass;
    String Username, Password;
    TextView tv;
    HttpPost httppost;
    StringBuffer buffer;
    HttpResponse response;
    HttpClient httpclient;
    List<NameValuePair> nameValuePairs;

    String pid;

    // Progress Dialog
    private ProgressDialog pDialog;

    // JSON parser class
    JSONParser jsonParser = new JSONParser();

    // single person url
     ******************************************************************
    private static final String url_check_login = "http://10.0.3.2/check.php";

    // JSON Node names
    private static final String TAG_SUCCESS = "success";
    private static final String TAG_PERSON = "person";
    private static final String TAG_PID = "pid";
    private static final String TAG_NAME = "username";
    private static final String TAG_pass = "password";

    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);

        b = (Button) findViewById(R.id.Button01);
        et = (EditText) findViewById(R.id.username);
        pass = (EditText) findViewById(R.id.password);
        tv = (TextView) findViewById(R.id.tv);

        b.setOnClickListener(new OnClickListener() {
            @Override
            public void onClick(View v) {

                // Getting complete person details in background thread
                new CheckLogin().execute();

            }
        });
    }

    /**
     * Background Async Task to Get complete person details
     * */
    class CheckLogin extends AsyncTask<String, String, String> {

        JSONArray productObj;

        /**
         * Before starting background thread Show Progress Dialog
         * */
        @Override
        protected void onPreExecute() {
            super.onPreExecute();
            pDialog = new ProgressDialog(AndroidPHPConnectionDemo.this);
            pDialog.setMessage("Loading person details. Please wait...");
            pDialog.setIndeterminate(false);
            pDialog.setCancelable(true);
            pDialog.show();
        }

        /**
         * Getting person details in background thread
         * */

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

            // updating UI from Background Thread

            // Check for success tag

            int success;
            try {
                // Building Parameters
                List<NameValuePair> params = new ArrayList<NameValuePair>();
                params.add(new BasicNameValuePair("pid", pid));

                // getting person details by making HTTP request
                // Note that person details url will use GET request
                JSONObject json = jsonParser.makeHttpRequest(url_check_login,
                        "GET", params);

                // Log.e("JsonObject", json.toString());
                // check your log for json response
                // Log.d("Single person Details", json.toString());

                // json success tag
                success = json.getInt(TAG_SUCCESS);
                if (success == 1) {
                    // successfully received person details
                    productObj = json.getJSONArray(TAG_PERSON); // JSON Array

                }

                else {
                    // product with pid not found
                }
            } catch (JSONException e) {
                e.printStackTrace();
            }

            return null;
        }

        /**
         * After completing background task Dismiss the progress dialog
         * **/
        protected void onPostExecute(String file_url) {
            // dismiss the dialog once got all details
            if (productObj != null) {
                try {
                    // get first product object from JSON Array
                    JSONObject person = productObj.getJSONObject(0);

                    et.setText(person.getString(TAG_NAME));
                    pass.setText(person.getString(TAG_pass));

                    Toast.makeText(
                            getBaseContext(),
                            et.getText().toString() + pass.getText().toString(),
                            Toast.LENGTH_LONG).show();

                    Log.e("success in login", "SUCCESS IN LOGIN");

                } catch (Exception e) {

                    e.printStackTrace();
                }

            }

            pDialog.dismiss();
        }
    }

}

最佳答案

我们将 android 与 php 服务器连接。然后我们使用 HTTPClient 发送和检索数据。 HTTPPost指定我们的请求方法是post。响应存储在 HTTPResponse 中。 “URL”是 JSON 存在的实际链接。

然后我们使用 inputstream 将数据获取为字节。我们需要将字节流转换为字符流。之后我们在 StringBuilder 的帮助下构建 String。

package com.techlovejump.androidphpmysql;
import org.json.JSONException;
import org.json.JSONObject;

import android.os.AsyncTask;
import android.os.Bundle;
import android.app.Activity;
import android.view.Menu;
import android.widget.TextView;

public class MainActivity extends Activity {

 JSONObject jobj = null;
 ClientServerInterface clientServerInterface = new ClientServerInterface();
 TextView textView;
 String ab;
 @Override
 protected void onCreate(Bundle savedInstanceState) {
 super.onCreate(savedInstanceState);
 setContentView(R.layout.activity_main);
 textView = (TextView) findViewById(R.id.textView);
//start background processing 
new RetreiveData().execute();
 }

 @Override
 public boolean onCreateOptionsMenu(Menu menu) {
 // Inflate the menu; this adds items to the action bar if it is present.
 getMenuInflater().inflate(R.menu.main, menu);
 return true;
 }
 class RetreiveData extends AsyncTask<String,String,String>{

 @Override
 protected String doInBackground(String... arg0) {
 // TODO Auto-generated method stub
 jobj = clientServerInterface.makeHttpRequest("http://www.yourwebsite.com/at/serverside.php");

 try {
 ab = jobj.getString("key");
 } catch (JSONException e) {
 // TODO Auto-generated catch block
 e.printStackTrace();
 }
 return ab;
 }
 protected void onPostExecute(String ab){

 textView.setText(ab);
 }

 }

}

关于php - Android与php和mysql的连接返回空结果,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/21700405/

相关文章:

php - WordPress 元查询数组

php - 未捕获的 OAuthException : An active access token must be used to query information about the current user

php - 使用 DateTime::CreateFromFormat 创建日期对象

android - well_known_types_embed.cc -/bin/sh : js_embed: command not found

android - 由 : java. lang.UnsupportedOperationException 引起:无法解析索引 6 处的属性:TypedValue{t=0x2/d=0x101009b a=1}

php - Android 的 MySQL 连接问题

PHP/MySQL 连接语句

php - 将 SQL 日期格式化为 UK 格式

c# - MySQL C# 连接器 - 使其不使用 IPv6

android - ListFragment 与 pagerAdapter