タイマー用の Android スレッド: ヒントと解決策
Android でタイマーのカウントダウンを作成するには、スレッドを使用することが 1 つの方法です。ただし、提供されたコードでは、非 UI スレッドから UI を更新するときに問題が発生します。以下に代替ソリューションをいくつか示します。
1. CountDownTimer:
このクラスは、カウントダウンを実装する簡単な方法を提供します。これは別のスレッドで実行され、メイン スレッドで UI を更新します。
例:
<code class="java">public class MainActivity extends Activity { private CountDownTimer timer; private TextView timerText; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); timerText = (TextView) findViewById(R.id.timerText); startTimer(5 * 60 * 1000); // Set initial countdown time in milliseconds } private void startTimer(long timeInMilliseconds) { timer = new CountDownTimer(timeInMilliseconds, 1000) { @Override public void onTick(long millisUntilFinished) { timerText.setText(String.format("%d:%02d", millisUntilFinished / 60000, (millisUntilFinished % 60000) / 1000)); } @Override public void onFinish() { timerText.setText("0:00"); } }.start(); } }</code>
2.ハンドラー:
ハンドラーを使用すると、メインスレッドで実行されるタスクをスケジュールできます。このアプローチにより、タイマーのタイミングと動作をより詳細に制御できるようになります。
例:
<code class="java">public class MainActivity extends Activity { private Handler handler; private Runnable timerTask; private TextView timerText; private int timeLeft = 300; // Initial time in seconds @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); timerText = (TextView) findViewById(R.id.timerText); handler = new Handler(); timerTask = new Runnable() { @Override public void run() { if (timeLeft > 0) { timeLeft--; timerText.setText(String.format("%d", timeLeft)); handler.postDelayed(timerTask, 1000); // Recursively schedule the task } else { timerText.setText("0"); } } }; handler.post(timerTask); // Start the timer } }</code>
3. Timer:
Timer クラスを使用してタスクをスケジュールすることもできます。これは別のスレッドで実行され、runOnUiThread() メソッドを使用して UI を更新できます。
例:
<code class="java">public class MainActivity extends Activity { private Timer timer; private TimerTask timerTask; private TextView timerText; private int timeLeft = 300; // Initial time in seconds @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); timerText = (TextView) findViewById(R.id.timerText); timer = new Timer(); timerTask = new TimerTask() { @Override public void run() { runOnUiThread(new Runnable() { @Override public void run() { if (timeLeft > 0) { timeLeft--; timerText.setText(String.format("%d", timeLeft)); } else { timer.cancel(); // Stop the timer timerTask.cancel(); timerText.setText("0"); } } }); } }; timer.scheduleAtFixedRate(timerTask, 1000, 1000); // Schedule the task at a fixed rate } }</code>
これらの代替手段は、より信頼性が高く効率的です。 Android でタイマーのカウントダウンを実装する方法。ニーズとアプリケーションの特定の要件に最も適したアプローチを選択してください。
以上がAndroid でスレッドなしでタイマー カウントダウンを実装するにはどうすればよいですか?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。