Mahmoud Emam
Mahmoud Emam

Reputation: 1527

Using AsyncTask to start activity

I am using asyncTask to show Dialog and then after few minutes then launch a new activity.

unfortunately that activity start before task finished ???

package com.android.grad;

import android.app.Activity;

import android.app.ProgressDialog;

import android.os.AsyncTask;

import android.widget.Toast;

public class LoginTask extends AsyncTask<Void, Void, Boolean> {
private Activity activity;
private ProgressDialog pd;

public LoginTask(Activity activity) {
    this.activity = activity;
}

@Override
protected void onPreExecute() {
    pd = ProgressDialog.show(activity, "Signing in",
            "Please wait while we are signing you in..");
}

@Override
protected Boolean doInBackground(Void... arg0) {
    try {
        Thread.sleep(10000000);
    } catch (InterruptedException e) {
    }
    pd.dismiss();
    return true;
}

@Override
protected void onPostExecute(Boolean result) {
    Toast.makeText(activity, Boolean.toString(result), Toast.LENGTH_LONG).show();
}

}

and i execute the task from button click listener :S

private OnClickListener loginOnClick = new OnClickListener() {

        public void onClick(View v) {
            new LoginTask(LoginActivity.this).execute();
            startActivity(new Intent(LoginActivity.this, BuiltInCamera.class));
        }
    };

Is there way to startActivity from my subClass ofAsyncTask .

Upvotes: 11

Views: 40120

Answers (4)

Raghu Nagaraju
Raghu Nagaraju

Reputation: 3288

Call startActivity inside onPostExecute method of AsyncTask

Upvotes: 5

Atish Dabholkar
Atish Dabholkar

Reputation: 71

You can also use

    Intent intent = new Intent(activity, PageViewActivity.class);
    intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK); 
    activity.getApplicationContext().startActivity(intent);

Upvotes: 5

Shrikant Ballal
Shrikant Ballal

Reputation: 7087

Call this startActivity(new Intent(LoginActivity.this, BuiltInCamera.class)); from onPostExecute() after Displaying toast message.

In this way, new activity will be called after your AsyncTask is over.

Upvotes: 5

waqaslam
waqaslam

Reputation: 68187

Yes, you can start activity from AsyncTask's sub class. See below:

@Override
protected void onPostExecute(Boolean result) {
    Toast.makeText(activity, Boolean.toString(result), Toast.LENGTH_LONG).show();

    activity.startActivity(new Intent(activity, BuiltInCamera.class));
}

After making this change, make sure you do remove startActivity from OnClickListener

Upvotes: 34

Related Questions