一段代码了解sleep与wait

最近面试中被问到sleep与wait的差别,虽然都是说sleep不释放资源,wait释放资源,但是不是眼见为实的话又怎么理解这个释放资源的意思呢,所以谢了一段很简单的代码来演示一下,废话少说,上代码先:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
/**
* @author coffee[[email protected]]
*
*/
public class SyncTest {
private static boolean running = true;
private static String lock = "";
public static void main(String[] args) {
Thread t1 = new Thread(new T1());
Thread t2 = new Thread(new T2());
t1.start();
t2.start();
}
static class T1 implements Runnable {
@Override
public void run() {
while (running) {
synchronized (lock) {
System.out.println("this is t1");
try {
lock.wait(1000);
// Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
}
static class T2 extends Thread {
@Override
public void run() {
while (running) {
synchronized (lock) {
System.out.println("this is t2");
try {
lock.wait(1000);
// Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
}
}

T1和T2是一样的,让线程暂停的方式一种是wait另外一种是sleep(注释掉的那里),在运行的结果里面可以很明显的看到使用wait的时候,第二个线程的内容不需要等第一个线程1秒之后再打出来,也就是说一旦调用了wait则synchronzed的资源就被释放掉了,但是使用sleep的时候并没有释放同步的资源,差别就在这里,释放的是同步代码里面锁资源,这一点很重要,但是不是说一定要在同步里面才行,这里的资源就是锁,说白了就是wait的方式是释放你对象的锁,但是sleep并不释放对象的锁,所以就是下面的定义:

sleep:

堵塞线程,让出CPU给别的线程

wait:

释放锁,堵塞线程,让出CPU给别的线程

最后提一句,我们测试的时候想模拟程序运行了多久时间,应该用sleep而不是wait.

坚持原创技术分享,您的支持将鼓励我继续创作!