此程式碼嘗試使用執行緒在 Android 中實作計時器,但遇到了由於執行緒同步而出現的問題。為了澄清起見,這段程式碼定義了一個從 5 分鐘倒數到 0:00 的計時器。
在 Android 中,您無法從主執行緒(UI 執行緒)以外的任何執行緒操作使用者介面。在這種情況下,線程 t 創建的線程嘗試直接更新 TextView(UI 元素),這將導致錯誤。
要解決此問題,您有多種選擇:
1. CountDownTimer
CountDownTimer 是一個簡化計時器實現的 Android 類別。它允許您安排指定持續時間和間隔的倒數計時。
範例:
<code class="java">new CountDownTimer(300000, 1000) { @Override public void onTick(long millisUntilFinished) { // Update UI on the main thread runOnUiThread(new Runnable() { @Override public void run() { tv.setText("You have " + millisUntilFinished + "ms"); } }); } @Override public void onFinish() { // Update UI on the main thread runOnUiThread(new Runnable() { @Override public void run() { tv.setText("DONE!"); } }); } }.start();</code>
2. Handler
Handler 是一個允許您發布要在主執行緒上執行的任務的類別。這可確保 UI 更新始終在正確的執行緒上執行。
範例:
<code class="java">final Handler handler = new Handler(); final Runnable runnable = new Runnable() { @Override public void run() { // Update UI on the main thread tv.setText("Updated UI"); } }; handler.postDelayed(runnable, 1000); // Post task to be executed in 1 second</code>
3. Timer
Timer 是一個允許您在單獨的執行緒上安排任務的類。但是,您仍然需要在主執行緒上更新 UI。
範例:
<code class="java">Timer timer = new Timer(); timer.scheduleAtFixedRate(new TimerTask() { @Override public void run() { // Update UI on the main thread runOnUiThread(new Runnable() { @Override public void run() { tv.setText("Updated UI"); } }); } }, 0, 1000); // Schedule task to be executed every 1 second</code>
以上是如何從 Android 執行緒安全地更新 UI 元素?的詳細內容。更多資訊請關注PHP中文網其他相關文章!