I do login Activity, which has basically EditTexttwo Buttons. It looks like this:
http://img249.imageshack.us/img249/9108/loginm.png http://img249.imageshack.us/img249/9108/loginm.png
EditTexthas TextWatcherwhich verifies the user with AsyncTaskwho enters the web service.
The code:
public class Login extends Activity {
private EditText mUserNameET;
private Drawable mCorrect;
private Drawable mIncorrect;
private ProgressBar mProgressBar;
private MyApp mApp;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.login);
mApp = (MyApp) getApplication();
mUserNameET = (EditText) findViewById(R.id.user_name_et);
mUserNameET.addTextChangedListener(new LoginValidator());
mCorrect = getResources().getDrawable(R.drawable.correct);
mIncorrect = getResources().getDrawable(R.drawable.incorrect);
mProgressBar = new ProgressBar(this);
}
private class LoginValidator implements TextWatcher {
private ValidateUserAsyncTask validator = new ValidateUserAsyncTask();
@Override
public void afterTextChanged(Editable s) {
String value = s.toString();
if ( value.length() == 0 )
return;
if ( AsyncTask.Status.RUNNING == validator.getStatus() ) {
validator.cancel(true);
validator = new ValidateUserAsyncTask();
} else if ( AsyncTask.Status.FINISHED == validator.getStatus() ) {
validator = new ValidateUserAsyncTask();
}
validator.execute(value);
mUserNameET.setCompoundDrawables(null, null, mProgressBar.getProgressDrawable(), null);
}
@Override
public void beforeTextChanged(CharSequence s, int start, int count,
int after) {
}
@Override
public void onTextChanged(CharSequence s, int start, int before,
int count) {
}
}
class ValidateUserAsyncTask extends AsyncTask<String, Void, Boolean> {
@Override
protected void onPostExecute(Boolean result) {
super.onPostExecute(result);
if ( result ) {
mUserNameET.setCompoundDrawablesWithIntrinsicBounds(null, null, mCorrect, null);
} else {
mUserNameET.setCompoundDrawablesWithIntrinsicBounds(null, null, mIncorrect, null);
}
}
@Override
protected Boolean doInBackground(String... params) {
return mApp.validateUser(params[0]);
}
}
}
My problems:
While it works AsyncTask, I want to show the ProgressBar inside EditText. I tried to do this using:
mUserNameET.setCompoundDrawables(null, null, mProgressBar.getProgressDrawable(), null);
but that will not work.
And I'm also a little worried about creating new instances AsyncTask. Am I a memory leak?
source
share