sleep和wait的区别
作者:互联网
sleep和wait的区别:
1、sleep是Thread的静态方法,wait是Object的方法,任何对象实例都能调用。
2、sleep不会释放锁,它也不需要占用锁。wait会释放锁,但调用它的前提是当前线程占有锁(即代码要在synchronized中)。
3、它们都可以被interrupted方法中断。
sleep()方法导致了程序暂停执行指定的时间,让出cpu该其他线程,但是他的监控状态依然保持者,当指定的时间到了又会自动恢复运行状态。
sleep,wait调用后都会暂停当前线程并让出cpu的执行时间,但不同的是sleep不会释放当前持有的对象的锁资源,到时间后会继续执行,而wait会放弃所有锁并需要notify/notifyAll后重新获取到对象锁资源后才能继续执行
wait | sleep | |
同步 | 只能在同步上下文中调用wait 方法,否则或抛出异常 | 不需要在同步方法或同步块中调用 |
作用对象 | wait 方法定义在Object类中,作用于对象本身 | Sleep 方法这定义在 java.lang.Thrand中作用于当前线存 |
释放锁资源 | 是 | 否 |
唤醒条件 | 其他线程调用对象notify() 或notifyAll()方法 | 超时,或者调用interrupt()方法 |
方法属性 | wait 是实列方法 | sleep 是静太方法 |
Sleep列如:
@Override
public void run()
{
while (tickets > 0) {
tickets--; // 如果还有票就卖一张
long startTime=0;
long endTime=0;
startTime = System.currentTimeMillis();
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("剩余票数为:" + tickets);
endTime = System.currentTimeMillis();
System.out.println("程序运行时间:" + (endTime - startTime) + "ms");
}
}
测试:
public class MyThreadTest {
public static void main(String[] args)
{
// MyRunnable thread = new MyRunnable();
// new Thread(thread).start();//同一个mt,但是在Thread中就不可以,如果用同一
// new Thread(thread).start();//个实例化对象mt,就会出现异常
// new Thread(thread).start();
MyThread mts = new MyThread();
new Thread(mts).start(); //启动 n 个线程
MyThread mts2 = new MyThread();
new Thread(mts2).start();
MyThread mts3 = new MyThread();
new Thread(mts3).start();
}
}
结果:
剩余票数为:2
程序运行时间:1007ms
剩余票数为:2
程序运行时间:1007ms
剩余票数为:2
程序运行时间:1007ms
。。。。
wait 列如
public class MyThread extends Thread {
private int tickets = 3;
final Object lock = new Object();
@Override
public void run()
{
while (tickets > 0) {
synchronized (lock) {
tickets--; // 如果还有票就卖一张
long startTime = 0;
long endTime = 0;
startTime = System.currentTimeMillis();
try {
lock.wait(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("剩余票数为:" + tickets);
endTime = System.currentTimeMillis();
System.out.println("程序运行时间:" + (endTime - startTime) + "ms");
}
}
}
}
测试:
public static void main(String[] args)
{
MyThread mts = new MyThread();
new Thread(mts).start(); //启动 n 个线程
MyThread mts2 = new MyThread();
new Thread(mts2).start();
MyThread mts3 = new MyThread();
new Thread(mts3).start();
}
结果:
剩余票数为:2
程序运行时间:1003ms
剩余票数为:2
程序运行时间:1003ms
剩余票数为:2
程序运行时间:1004ms
剩余票数为:1
程序运行时间:1001ms
剩余票数为:1
程序运行时间:1001ms
剩余票数为:1
程序运行时间:1000ms
剩余票数为:0
程序运行时间:1000ms
剩余票数为:0
剩余票数为:0
程序运行时间:1001ms
程序运行时间:1001ms
标签:程序运行,Thread,区别,票数,MyThread,sleep,new,wait 来源: https://www.cnblogs.com/shu-java-net/p/13448456.html