Java中断线程的方式

方式一、stop()方法

目前改方法已被注解@Deprecated,因为它是线程不安全的操作,调用stop方法后,线程会立即停止,导致线程逻辑有一部分未执行,造成得到不可预期的结果。如下代码中,预期输出的结果是i=j,但是使用stop中断线程后,大概率出现j = i + 1.

public class StopThread extends Thread{
	
	private static int i = 0;
	private static int j = 0;
	@Override
	public void run() {
		while(true){
			i++;
			try {
				Thread.sleep(50L);
			} catch (InterruptedException e) {

				e.printStackTrace();
			}
			j++;
		}
	}
	private static void print(){
		System.out.println("i = " + i + "\nj = " + j);
	}
	public static void main(String[] args) throws InterruptedException {
	
		StopThread st = new StopThread();
		st.start();
		Thread.sleep(2000L);
		st.stop();
		st.print();
	}
}

方式二:interrupt,线程对象调用interrupt函数后,相当于添加了一个标记,线程执行的时候使用isInterruptted方法判断是否有标记,有则中断线程,无则继续执行

package com.jemmy.stopThread;
public class InterruptThread implements Runnable{
	@Override
	public void run() {
		while(!Thread.currentThread().isInterrupted()){
			System.out.println("线程:" + Thread.currentThread().getName() + "正在运行");
		}
	}
	public static void main(String[] args) throws InterruptedException {
		Thread t = new Thread(new InterruptThread(), "可打断的线程");
		t.start();
		Thread.sleep(2000L);
		t.interrupt();
	}
}

方法三:自定义flag,鉴于interrupt的标记原理,可以通过自定义flag的方式来中断线程。volatile修饰FLAG主要是保证中断线程的及时性。

volatile关键字修饰变量,修改变量值时直接修改变量本身的值,而非volatile修饰的变量,先修改该变量的一个副本,再将副本的值写入存储变量的内存地址中。

public class DIYStopThread implements Runnable{
	private static volatile boolean FLAG = true;
	private static int num = 0;
	@Override
	public void run() {
		while(FLAG){
			num++;
			System.out.println("线程:" + Thread.currentThread().getName() + "正在运行");
		}
	}
	public static void main(String[] args) throws InterruptedException {
		Thread  t = new Thread(new DIYStopThread());
		t.start();
		Thread.sleep(2000L);
		FLAG = false;
		System.out.println(num);
	}
}

 

你可能感兴趣的:(java,Thread)