- sleep方法是Thread类中定义的方法,而wait方法是Object类中定义的方法。
- 每个对象都有一个锁来控制同步访问,Synchronized关键字可以和对象的锁交互,来实现同步方法或同步块。
执行sleep()方法的线程会主动让出CPU(然后CPU就可以去执行其他任务),在sleep指定时间后CPU再回到该线程继续往下执行(注意:sleep方法只让出了CPU,而并不会释放同步资源锁!!!)
wait()方法则是指当前线程让自己暂时退让出同步资源锁,以便其他正在等待该资源的线程得到该资源进而运行,只有调用了notify()方法,之前调用wait()的线程才会解除wait状态,可以去参与竞争同步资源锁,进而得到执行。(注意:notify的作用相当于叫醒睡着的人,而并不会给他分配任务,就是说notify只是让之前调用wait的线程有权利重新参与线程的调度); - sleep()方法可以在任何地方使用;wait()方法则只能在同步方法或同步块中使用;
- sleep方法必须人为地为其指定时间。wait方法既可以指定时间,也可以不指定时间。
- sleep方法时间到,线程处于临时阻塞状态或者运行状态。 wait方法如果没有被设置时间,就必须要通过notify或者notifyAll来唤醒。
- 当二者都定义在同步中时,线程执行到sleep,不会释放锁。线程执行到wait,会释放锁。
public class WaitAndSleep {
private static class Thread1 implements Runnable{
@Override
public void run() {
//由于 Thread1和下面Thread2内部run方法要用同一对象作为监视器,如果用this则Thread1和Threa2的this不是同一对象
//所以用MultiThread.class这个字节码对象,当前虚拟机里引用这个变量时指向的都是同一个对象
synchronized(WaitAndSleep.class){
System.out.println("enter thread1 ...");
System.out.println("thread1 is waiting");
try{
//释放锁有两种方式:(1)程序自然离开监视器的范围,即离开synchronized关键字管辖的代码范围
//(2)在synchronized关键字管辖的代码内部调用监视器对象的wait()方法。这里使用wait方法
WaitAndSleep.class.wait();
}catch(InterruptedException e){
e.printStackTrace();
}
System.out.println("thread1 is going on ...");
System.out.println("thread1 is being over!");
}
}
}
private static class Thread2 implements Runnable{
@Override
public void run() {
//notify方法并不释放锁,即使thread2调用了下面的sleep方法休息3s,但thread1仍然不会执行
//因为thread2没有释放锁,所以Thread1得不到锁而无法执行
synchronized(WaitAndSleep.class){
System.out.println("enter thread2 ...");
System.out.println("thread2 notify other thread can release wait status ...");//thread2通知其他线程可以释放等待状态
WaitAndSleep.class.notify();
System.out.println("thread2 is sleeping 3 second ...");//线程2正在睡眠3秒
try{
Thread.sleep(3000);
}catch(InterruptedException e){
e.printStackTrace();
}
System.out.println("thread2 is going on ...");
System.out.println("thread2 is being over!");
}
}
}
public static void main(String[] args) {
new Thread(new Thread1()).start();
try{
Thread.sleep(5000);
}catch(InterruptedException e){
e.printStackTrace();
}
new Thread(new Thread2()).start();
}
}
运行结果:
enter thread1 ...
thread1 is waiting
enter thread2 ...
thread2 notify other thread can release wait status ...
thread2 is sleeping 3 second ...
thread2 is going on ...
thread2 is being over!
thread1 is going on ...
thread1 is being over!