你如何循环一个线程?

时间:2012-03-21 20:12:22

标签: android multithreading loops runnable

我有一个包含runnable的线程。 除非用户取消,否则我需要无限循环。 我不知道该怎么做。非常感谢所有帮助。 欢呼声。

1 个答案:

答案 0 :(得分:9)

  

除非用户取消,否则我需要无限循环。

显然,您可以在run()方法中轻松添加循环:

  new Thread(new Runnable() {
      public void run() {
          while (true) {
             // do something in the loop
          }
      }
  }).start();

检查线程中断总是一个好主意:

  new Thread(new Runnable() {
      public void run() {
          // loop until the thread is interrupted
          while (!Thread.currentThread().isInterrupted()) {
             // do something in the loop
          }
      }
  }).start();

如果您询问如何从其他线程(例如UI线程)取消线程操作,那么您可以执行以下操作:

private final volatile running = true;
...
new Thread(new Runnable() {
    public void run() {
        while (running) {
           // do something in the loop
        }
    }
}).start();
...

// later, in another thread, you can shut it down by setting running to false
running = false;

我们需要使用volatile boolean,以便在另一个线程中看到对一个线程中字段的更改。