asun
asun

Reputation: 1135

Asynctask crashes in OnclickListener

I am very new to Android hope you anyone could help me. Whenever I use an OnclickListener to execute an Asynctask, the program will crash. If I execute the Asynctask without using onclicklistener, the testing program works fine.

public class MainActivity extends Activity {

TextView label;
Button start;
MyAsyncTask test;

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_main);

    label = (TextView)findViewById(R.id.tvIndicator);
    start = (Button)findViewById(R.id.btSend);

    test = new MyAsyncTask();

    start.setOnClickListener(new View.OnClickListener() {

        @Override
        public void onClick(View v) {
            // TODO Auto-generated method stub
            test.execute();
        }
    });     
}

public class MyAsyncTask extends AsyncTask{
    HttpClient httpclient = new DefaultHttpClient();
    HttpPost httppost = new HttpPost("htt://****.php");//left out the address

    @Override
    protected Object doInBackground(Object... params) {
        // TODO Auto-generated method stub

            label.setText("Please Work");

            String MyName = "testing"; 
            String response = null;
            try {

            List<NameValuePair> nameValuePairs = new ArrayList<NameValuePair>(1);
            nameValuePairs.add(new BasicNameValuePair("emailAdd", MyName));
            httppost.setEntity(new UrlEncodedFormEntity(nameValuePairs));

            ResponseHandler<String> responseHandler = new BasicResponseHandler();
            response = httpclient.execute(httppost, responseHandler);

            label.setText(response.length());
            return response;

            } catch (Exception e) {
                e.printStackTrace();
            }   

        return null;
    }
}

}

Upvotes: 1

Views: 1623

Answers (1)

Blackbelt
Blackbelt

Reputation: 157437

you can not update UI element in a Thread different from the UI Thread iteself. You have to use an Handler or use runOnUiThread

For instance

runOnUiThread(new Runnable() {
      public void run() {
         label.setText("Please Work");
       }
 });

Upvotes: 3

Related Questions