1 公平锁与非公平锁
公平锁:是指多个线程按照申请锁的顺序来获取锁,类似排队打饭,先来后到
非公平锁:是指多个线程获取锁的顺序并不是按照申请锁的顺序,有可能后申请的线程比先申请的线程优先获取锁,在高并发的情况下,有可能造成优先级反转或饥饿现象
/**
* Creates an instance of {@code ReentrantLock}.
* This is equivalent to using {@code ReentrantLock(false)}.
*/
public ReentrantLock() {
sync = new NonfairSync();
}
/**
* Creates an instance of {@code ReentrantLock} with the
* given fairness policy.
*
* @param fair {@code true} if this lock should use a fair ordering policy
*/
public ReentrantLock(boolean fair) {
sync = fair ? new FairSync() : new NonfairSync();
}
并发包中的ReentrantLock创建可以指定构造函数的boolean来兴来得到公平锁或非公平锁,默认是非公平锁。
关于两者的区别
公平锁,就是很公平,在并发环境中,每个线程在获取锁时会先查看此锁维护的等待队列,如果为空,或者当前线程是等待队列的第一个,就占有锁,否则就会加入到等待队列中,以后会按照FIFO的规则从队列中去到自己
非公平锁,比较粗鲁,上来就直接尝试占有锁,如果尝试失败,就采用类似公平锁的那种方式。
非公平锁优点在于吞吐量大。
对于synchronized,而言也是一种非公平锁
2 可重入锁(又名递归锁)
指的是同一线程外层函数获得锁之后,内层递归函数仍然能获取该锁的代码,在同一个线程在外层方法获取锁的时候,在进入内层方法会自动获取锁。
也就是说,线程可以进入任何一个它已经拥有的锁所同步着的代码块。
ReenterLock和Synchronized 就是典型的可重入锁
public class ReenterLockDemo {
public static void main(String[] args) {
Phone phone = new Phone();
new Thread(() -> {
phone.sendSms();
}, "A").start();
new Thread(() -> {
phone.sendSms();
}, "B").start();
}
}
class Phone {
public synchronized void sendSms() {
System.out.println(Thread.currentThread().getName() + "\t invoked sendSms()");
sendEmail();
}
public synchronized void sendEmail() {
System.out.println(Thread.currentThread().getName() + "\t invoked sendEmail()");
}
}