如何在不使用 thread.sleep 的情况下延迟 android 中的循环?

2022-09-02 00:08:44

我想在不使用的情况下延迟 for 循环,因为该方法会使我的整个应用程序挂起。我试图使用,但它似乎在循环中不起作用。有人可以指出我的代码中的错误吗?Thread.sleephandler

public void onClick(View v) { 
    if (v == start)
    {   
        for (int a = 0; a<4 ;a++) {

         Handler handler1 = new Handler();
         handler1.postDelayed(new Runnable() {

        ImageButton[] all= {btn1, btn2, btn3, btn4};
        btn5 = all[random.nextInt(all.length)];
        btn5.setBackgroundColor(Color.RED);

             @Override
             public void run() {

             }
             }, 1000);
        } 
        }
     }

基本上,我想做的是,我得到了4个,我通过按顺序使用循环将它们的每个背景更改为红色。这就是为什么我需要在我的循环中延迟,如果不是所有的意志都直接变成红色而不显示哪个转弯先。ImageButtonImageButtonImageButton


答案 1

您的 for 循环应该是:

final ImageButton[] all= {btn1, btn2, btn3, btn4};
Handler handler1 = new Handler();
for (int a = 1; a<=all.length ;a++) {
    handler1.postDelayed(new Runnable() {

         @Override
         public void run() {
              ImageButton btn5 = all[random.nextInt(all.length)];
              btn5.setBackgroundColor(Color.RED);
         }
         }, 1000 * a);
    } 
}

通过这种方式,它可以实现您所需的错开颜色变化的行为。

针对语法进行了编辑


答案 2

可以使用 代替 for 循环。不应调用 UI 线程。HandlerThread.sleep()

final Handler handler = new Handler();
Runnable runnable = new Runnable() { 
    @Override
    public void run() {
        // do something
        handler.postDelayed(this, 1000L);  // 1 second delay
    }
};
handler.post(runnable);

推荐