我开发了一个应用程序,在Android模拟器屏幕上以指定的间隔显示一些文本。我正在使用Handler类。下面是我的代码片段:

handler = new Handler();
Runnable r = new Runnable() {
    public void run() {
        tv.append("Hello World");               
    }
};
handler.postDelayed(r, 1000);

当我运行这个应用程序时,文本只显示一次。为什么?


当前回答

new Handler().postDelayed(new Runnable() {
    public void run() {
        // do something...              
    }
}, 100);

其他回答

一个有趣的例子是,你可以连续看到一个计数器/秒表在不同的线程中运行。还显示gps定位。而主活动用户界面线程已经在那里。

摘录:

try {    
    cnt++; scnt++;
    now=System.currentTimeMillis();
    r=rand.nextInt(6); r++;    
    loc=lm.getLastKnownLocation(best);    

    if(loc!=null) { 
        lat=loc.getLatitude();
        lng=loc.getLongitude(); 
    }    

    Thread.sleep(100); 
    handler.sendMessage(handler.obtainMessage());
} catch (InterruptedException e) {   
    Toast.makeText(this, "Error="+e.toString(), Toast.LENGTH_LONG).show();
}

要查看代码,请参见这里:

线程示例显示GPS位置和当前时间运行与主活动的用户界面线程

如果我正确理解Handler.post()方法的文档:

导致Runnable r被添加到消息队列。可运行对象将在附加此处理程序的线程上运行。

所以@alex2k8提供的例子,即使工作正常,也是不一样的。 在使用Handler.post()的情况下,不会创建新的线程。您只需将Runnable与Handler一起发布到由EDT执行的线程。 在此之后,EDT只执行Runnable.run(),不执行其他任何操作。

记住: 可运行!=线程。

带有协程的Kotlin

在Kotlin中,使用协程你可以做以下事情:

CoroutineScope(Dispatchers.Main).launch { // Main, because UI is changed
    ticker(delayMillis = 1000, initialDelayMillis = 1000).consumeEach {
        tv.append("Hello World")
    }
}

在这里试试吧!

对于重复任务,您可以使用

new Timer().scheduleAtFixedRate(task, runAfterADelayForFirstTime, repeaingTimeInterval);

就像这样

new Timer().scheduleAtFixedRate(new TimerTask() {
            @Override
            public void run() {

            }
        },500,1000);

上面的代码将在半秒后(500)第一次运行,并在每一秒后重复运行(1000)

在哪里

任务是要执行的方法

之后时间到初始执行

(重复执行的时间间隔)

其次

如果你想要执行Task的次数,你也可以使用CountDownTimer。

    new CountDownTimer(40000, 1000) { //40000 milli seconds is total time, 1000 milli seconds is time interval

     public void onTick(long millisUntilFinished) {
      }
      public void onFinish() {
     }
    }.start();

//Above codes run 40 times after each second

你也可以用runnable来做。创建一个可运行的方法

Runnable runnable = new Runnable()
    {
        @Override
        public void run()
        {

        }
    };

用这两种方式来称呼它

new Handler().postDelayed(runnable, 500 );//where 500 is delayMillis  // to work on mainThread

OR

new Thread(runnable).start();//to work in Background 
new Handler().postDelayed(new Runnable() {
    public void run() {
        // do something...              
    }
}, 100);