java中的线程的生命周期答题分为5中状态.
1.新建(new):新创建一个线程,此时线程在系统中还没有创建出来,只是一个Thread对象.还没调用start方法就是新建状态.
package Threading;
public class ThreadDemo12 {
public static void main(String[] args) {
Thread t = new Thread(() -> {
System.out.println("hello");
});
//在启动之前,获取线程状态.NEW状态
System.out.println(t.getState());
t.start();
}
}
2.就绪状态(RUNNABLE):调用了start方法后,线程就进入了就绪状态.此时,线程不会立即执行run方法.需要等待获取CPU资源.
package Threading;
public class ThreadDemo12 {
public static void main(String[] args) throws InterruptedException{
Thread t = new Thread(() -> {
while (true) {//RUNNABLE
//为了防止hello吧线程状态冲掉,先注释掉
// System.out.println("hello");
}
});
//在启动之前,获取线程状态.NEW状态
System.out.println(t.getState());
t.start();
Thread.sleep(2000);
System.out.println(t.getState());
}
}
3.运行(BLOCKED):表示该线程处于运行状态,等待锁出现的状态.
4.等待状态(WAITING):等待wait/notify方法出现的状态,当一个线程执行到wait()方法时,他就会进入到一个和该对象相关的等待池中,同时失去了对象的锁.当它被notify()方法唤醒时,等待池中的线程就会被唤醒放入到了锁里面,然后回到wait()前的中断代码继续执行.
5.阻塞状态(TIMED_WAITING):此时线程会进入(调用sleep()方法)休眠状态,等满足设定的条件之后会重新进入就绪状态.sleep方法:会使线程进入休眠状态,但它不会释放锁,其他资源访问不到该对象,一直到设定的时间之后会继续往下执行.
package Threading;
public class ThreadDemo12 {
public static void main(String[] args) throws InterruptedException{
Thread t = new Thread(() -> {
while (true) {
//为了防止hello吧线程状态冲掉,先注释掉
// System.out.println("hello");
try {//TIMED_WAITING
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
});
//在启动之前,获取线程状态.NEW状态
System.out.println(t.getState());
t.start();
Thread.sleep(2000);
System.out.println(t.getState());
}
}
6.死亡状态(TERMINATED):此时线程在执行任务后,为接收到新的任务是,线程进入死亡状态.但此时锁创建的Thread对象仍然存在.
package Threading;
public class ThreadDemo12 {
public static void main(String[] args) throws InterruptedException{
Thread t = new Thread(() -> {
System.out.println("hello");
});
//在启动之前,获取线程状态.NEW状态
System.out.println(t.getState());
t.start();
Thread.sleep(2000);
//TERMINATED
System.out.println(t.getState());
}
}