Lock的锁定是通过代码实现的,而 synchronized 是在 JVM 层面上实现的
synchronized在锁定时如果方法块抛出异常,JVM 会自动将锁释放掉,不会因为出了异常没有释放锁造成线程死锁。但是 Lock 的话就享受不到 JVM 带来自动的功能,出现异常时必须在 finally 将锁释放掉,否则将会引起死锁。
在资源竞争不是很激烈的情况下,偶尔会有同步的情形下,synchronized是很合适的。原因在于,编译程序通常会尽可能的进行优化synchronize,另外可读性非常好,不管用没用过5.0多线程包的程序员都能理解。
ReentrantLock
ReentrantLock提供了多样化的同步,比如有时间限制的同步,可以被Interrupt的同步(synchronized的同步是不能Interrupt的)等。在资源竞争不激烈的情形下,性能稍微比synchronized差点点。但是当同步非常激烈的时候,synchronized的性能一下子能下降好几十倍。而ReentrantLock确还能维持常态。
//带死锁
package Stack;
import javax.annotation.Resource;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;
public class TestLock {
private Locklock =new ReentrantLock();
public void f() {
System.out.println(Thread.currentThread().getName() +" :not synchronized in f().");
lock.lock();
// try {
for (int i =0; i <5; i++) {
System.out.println(Thread.currentThread().getName() +" :synchronized in f()");
}
try {
TimeUnit.SECONDS.sleep(2);
}catch (InterruptedException e) {
e.printStackTrace();
}
// } finally {
// lock.unlock();
// }
}
public void g() {
System.out.println(Thread.currentThread().getName() +" :not synchronized in g()");
lock.lock();
try {
for (int i =0; i <5; i++) {
System.out.println(Thread.currentThread().getName() +" :synchronized in g()");
try {
TimeUnit.SECONDS.sleep(2);
}catch (InterruptedException e) {
e.printStackTrace();
}
}
}finally {
lock.unlock();
}
}
public void h() {
System.out.println(Thread.currentThread().getName() +" :not synchronized in h()");
lock.lock();
try {
for (int i =0; i <5; i++) {
System.out.println(Thread.currentThread().getName() +" :synchronized in h()");
try {
TimeUnit.SECONDS.sleep(2);
}catch (InterruptedException e) {
e.printStackTrace();
}
}
}finally {
lock.unlock();
}
}
public static void main(String[] args) {
final TestLock test =new TestLock();
new Thread() {
public void run() {
test.f();
}
}.start();
new Thread() {
public void run() {
test.g();
}
}.start();
// new Thread(){
// public void run(){
test.h();
// }
// }.start();
}
}