在锁定/解锁设备时,我找不到任何有效的解决方案来停止/恢复线程,谁能帮忙,或者告诉我在哪里可以找到如何做?我需要在手机锁定时停止线程,并在手机解锁时重新启动线程。
问问题
13849 次
1 回答
12
Java 在协作中断模型上运行以停止线程。这意味着您不能在没有线程本身合作的情况下简单地停止线程中途执行。如果要停止线程,客户端可以调用 Thread.interrupt() 方法请求线程停止:
public class SomeBackgroundProcess implements Runnable {
Thread backgroundThread;
public void start() {
if( backgroundThread == null ) {
backgroundThread = new Thread( this );
backgroundThread.start();
}
}
public void stop() {
if( backgroundThread != null ) {
backgroundThread.interrupt();
}
}
public void run() {
try {
Log.i("Thread starting.");
while( !backgroundThread.interrupted() ) {
doSomething();
}
Log.i("Thread stopping.");
} catch( InterruptedException ex ) {
// important you respond to the InterruptedException and stop processing
// when its thrown! Notice this is outside the while loop.
Log.i("Thread shutting down as it was requested to stop.");
} finally {
backgroundThread = null;
}
}
线程的重要部分是您不会吞下 InterruptedException 而是停止线程的循环并关闭,因为只有在客户端请求线程中断本身时您才会收到此异常。
因此,您只需将 SomeBackgroundProcess.start() 连接到解锁事件,并将 SomeBackgroundProcess.stop() 连接到锁定事件。
于 2012-08-08T14:43:03.040 回答