TimerTask vs Thread.sleep vs Handler postDelayed - most accurate to call function every N milliseconds?

后端 未结 4 1098
你的背包
你的背包 2020-11-28 22:47

What is the most accurate way to call a function every N milliseconds?

  • Thread with Thread.sleep
  • TimerTask
  • Handler with postDelayed
相关标签:
4条回答
  • 2020-11-28 23:08

    There are some disadvantages of using Timer

    • It creates only single thread to execute the tasks and if a task takes too long to run, other tasks suffer.
    • It does not handle exceptions thrown by tasks and thread just terminates, which affects other scheduled tasks and they are never run

    ScheduledThreadPoolExecutor deals properly with all these issues and it does not make sense to use Timer.. There are two methods which could be of use in your case.. scheduleAtFixedRate(...) and scheduleWithFixedDelay(..)

    class MyTask implements Runnable {
    
      @Override
      public void run() {
        System.out.println("Hello world");
      } 
    }
    
    ScheduledThreadPoolExecutor exec = new ScheduledThreadPoolExecutor(1);
    long period = 100; // the period between successive executions
    exec.scheduleAtFixedRate(new MyTask(), 0, period, TimeUnit.MICROSECONDS);
    long delay = 100; //the delay between the termination of one execution and the commencement of the next
    exec.scheduleWithFixedDelay(new MyTask(), 0, delay, TimeUnit.MICROSECONDS);
    
    0 讨论(0)
  • 2020-11-28 23:17

    Using TimerTask for the loop action is the better one. Recommend

    0 讨论(0)
  • 2020-11-28 23:24

    They are all the same precision-wise. Java timing precision is subject to the precision and accuracy of system timers and schedulers and is not guaranteed. See Thread.sleep and Object.wait API.

    0 讨论(0)
  • 2020-11-28 23:33

    On Android you can create Thread with it's own Handler/Message Queue. It's quite accurate. When you see Handler documentation you can see, that it was designed for that.

    There are two main uses for a Handler: (1) to schedule messages and runnables to be executed as some point in the future; and (2) to enqueue an action to be performed on a different thread than your own.

    0 讨论(0)
提交回复
热议问题