我有这个按钮,点击后将我在文本域中输入的详细信息保存到Google App Engine,在调用onClickListener后,我有一个意图启动一个新活动,显示我刚刚输入的详细信息。 以下是此代码:
submitButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
// TODO Auto-generated method stub
if(v.getId() == R.id.userDetailsCaptureButton) {
new EndpointsTask().execute(getApplicationContext());
}
startActivity(userProfileDisplayIntent);
}
});
现在我希望能够在调用startActivity
后拨打new EnpointsTask().execute(getApplicationContext)
之前等待几秒钟。我读到使用Thread.sleep
会导致UI冻结,因此不适合这种情况。还有哪些其他选择?
答案 0 :(得分:3)
解决方案是使用带有runnable的处理程序并使用'postDelayed'方法。例如:
new Handler().postDelayed(new Runnable() {
public void run () {
// Do delayed stuff!
}
}, 5000L); //5 seconds delay
答案 1 :(得分:2)
在
中开始活动onPostExecute()
的
EndpointsTask
你的EndPoints任务应该是那样的
public final class EndpointsTask extends AsyncTask {
private final Intent mUserProfileDisplayIntent;
private final WeakReference<Activity> mActivityReference;
EndpointsTask(final Activity activity, final Intent userProfileDisplayIntent) {
mActivityReference = new WeakReference<Activity>(activity);
mUserProfileDisplayIntent = userProfileDisplayIntent;
}
@Override
protected void onPostExecute(Void result) {
final Activity activity = mActivityReference.get();
if (activity != null) {
startActivity(mUserProfileDisplayIntent);
}
}
}
然后
@Override
public void onClick(View v) {
if(v.getId() == R.id.userDetailsCaptureButton) {
// make sure only one task can be launched
if (endPointsTask == null || endPointsTask.getStatus() != AsyncTask.Status.RUNNING) {
endPointsTask = new EndpointsTask(YourActivity.this);
endPointsTask.execute();
}
}
startActivity(userProfileDisplayIntent);
}
// always cancel AsyncTasks in onStop(). You don't want it to launch anything when minimized, do you?
@Override
protected void onStop() {
super.onStop();
if (endPointsTask != null && endPointsTask.getStatus() == AsyncTask.Status.RUNNING) {
endPointsTask.cancel();
}
}
不要将Context作为参数传递给任何线程,因为它可能导致泄漏。这也意味着内部类应该是静态的。 将上下文存储为WeakReference(在当前示例中使用上下文的mActivityReference)
答案 2 :(得分:1)
在onClick
中使用Handler和postDelayed方法尝试