Thread类是java.lang包下的类,是多线程经常需要使用的类。在thread类中包含了很多Java多线程需要用到的方法,下面我们就来介绍5个比较重要的Thread类方法。
currentThread()方法可以返回代码被那个线程调用的信息。
测试方法如下:
public class MyThread extends Thread{
public MyThread(){
super();
}
public MyThread(String name){
super();
this.setName(name);
System.out.println("构造器中线程名字:" + Thread.currentThread().getName());
}
@Override
public void run() {
super.run();
System.out.println("this is MyThread");
System.out.println("run方法中线程名字:" + Thread.currentThread().getName());
}
public static void main(String[] args){
// 继承Thread
MyThread myThread = new MyThread("myThread-name");
myThread.start();
}
}
输出内容:
构造器中线程名字:main
this is MyThread
run方法中线程名字:myThread-name
判断当前线程是否处于活跃状态,活跃状态是指线程已经启动并且尚未终止。
测试代码:
public class IsAliveFunc extends Thread {
@Override
public void run() {
super.run();
System.out.println("run is alive = " + this.isAlive());
}
public static void main(String[] args){
IsAliveFunc isAliveFunc = new IsAliveFunc();
System.out.println("begin start " + isAliveFunc.isAlive());
isAliveFunc.start();
System.out.println("after start " + isAliveFunc.isAlive());
}
}
输出结果:
begin start false
after start true
run is alive = true
sleep()方法是让正在运行的线程在指定毫秒数内暂停。
测试代码:
public class SleepFunc {
public static void sleep(){
System.out.println("begin");
try {
Thread.sleep(2000);
}catch (InterruptedException e){
e.printStackTrace();
}
System.out.println("end");
}
public static void main(String[] args){
System.out.println(" begin time = " + System.currentTimeMillis());
sleep();
System.out.println(" end time = " + System.currentTimeMillis());
}
}
输出结果:
begin time = 1551138333348
begin
end
end time = 1551138335348
可以看出时间相差2秒。
public final synchronized void join(long millis)
这个方法一般在其他线程中进行调用,指明当前线程需要阻塞在当前位置,等待目标线程所有指令全部执行完毕。例如:
Thread thread = new MyThreadT();
thread.start();
thread.join();
System.out.println("i am the main thread");
正常情况下,主函数的打印语句会在 MyThreadT 线程 run 方法执行前执行,而 join 语句则指明 main 线程必须阻塞直到 MyThreadT 执行结束。
interrupt()方法的使用并不像for+break语句那样,马上就停止循环。调用interrupt()方法仅仅是在当前线程中打了一个停止的标记,并不是真的停止线程。所以引出this.interrupted()和this.isInterrupted()方法。
1)this.interrupted()是判断当前线程是否已经是中断状态,执行此方法后具有将线程的中断状态标志清除为false的功能;
2)this.isInterrupted()是判断当前线程是否已经是中断状态,但是不清除状态标志。
所以使用interrupt()时需要判断线程是否有中断标志,在使用return或者抛异常的方式中断此线程。
thread类中的方法在Java多线程中得到了广泛的应用,还有很多的方法我们没有介绍到,感兴趣的小伙伴可以自己查阅资料或者直接在动力节点在线的视频课程中免费学习。
提枪策马乘胜追击04-21 20:01
代码小兵92504-17 16:07
代码小兵98804-25 13:57
杨晶珍05-11 14:54