您可以将 aHandler
和 aRunnable
用于您的目的。我正在分享一个我目前使用的编辑代码,就像你的目的一样。
可以直接复制类和布局,然后试试。
主要思想是使用Handler
带有它的 apost
和postDelayed
带有 a 的方法Runnable
。当您按下按钮时,它开始每 3 秒更改一次文本。如果再次按下按钮,它会自行重置。
试试这段代码,试着理解它。Handler
s 可用于多种目的来更改 UI。阅读更多关于它的信息。
MainActivity.java:
public class MainActivity extends Activity {
private Handler handler;
private TextView textView;
private TextUpdateRunnable textUpdateRunnable;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
handler = new Handler();
textView = (TextView)findViewById(R.id.textView);
Button startButton = (Button)findViewById(R.id.button);
startButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if(textUpdateRunnable != null) {
handler.removeCallbacks(textUpdateRunnable);
}
TextUpdateRunnable newTextUpdateRunnable = new TextUpdateRunnable(handler, textView);
textUpdateRunnable = newTextUpdateRunnable;
handler.post(textUpdateRunnable);
}
});
}
private static class TextUpdateRunnable implements Runnable {
private static final int LIMIT = 5;
private int count = 0;
private Handler handler;
private TextView textView;
public TextUpdateRunnable(Handler handler, TextView textView) {
this.handler = handler;
this.textView = textView;
}
public void run() {
if(textView != null) {
textView.setText("here" + count);
count++;
if(handler != null && count < LIMIT) {
handler.postDelayed(this, 3000);
}
}
}
};
}
活动主.xml:
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical" >
<Button
android:id="@+id/button"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="BUTTON" />
<TextView
android:id="@+id/textView"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
</LinearLayout>