四、可重入锁:

本文里面讲的是广义上的可重入锁,而不是单指JAVA下的ReentrantLock。
可重入锁,也叫做递归锁,指的是同一线程 外层函数获得锁之后 ,内层递归函数仍然有获取该锁的代码,但不受影响。
在JAVA环境下 ReentrantLock 和synchronized 都是 可重入锁
下面是使用实例

  1. public class Test implements Runnable{
  2. public synchronized void get(){
  3. System.out.println(Thread.currentThread().getId());
  4. set();
  5. }
  6. public synchronized void set(){
  7. System.out.println(Thread.currentThread().getId());
  8. }
  9. @Override
  10. public void run() {
  11. get();
  12. }
  13. public static void main(String[] args) {
  14. Test ss=new Test();
  15. new Thread(ss).start();
  16. new Thread(ss).start();
  17. new Thread(ss).start();
  18. }
  19. }

两个例子最后的结果都是正确的,即 同一个线程id被连续输出两次。
结果如下:
Threadid: 8
Threadid: 8
Threadid: 10
Threadid: 10
Threadid: 9
Threadid: 9
可重入锁最大的作用是避免死锁
我们以自旋锁作为例子,

  1. public class SpinLock {
  2. private AtomicReference<Thread> owner =new AtomicReference<>();
  3. public void lock(){
  4. Thread current = Thread.currentThread();
  5. while(!owner.compareAndSet(null, current)){
  6. }
  7. }
  8. public void unlock (){
  9. Thread current = Thread.currentThread();
  10. owner.compareAndSet(current, null);
  11. }
  12. }

对于自旋锁来说,
1、若有同一线程两调用lock() ,会导致第二次调用lock位置进行自旋,产生了死锁
说明这个锁并不是可重入的。(在lock函数内,应验证线程是否为已经获得锁的线程)
2、若1问题已经解决,当unlock()第一次调用时,就已经将锁释放了。实际上不应释放锁。
(采用计数次进行统计)
修改之后,如下:

  1. public class SpinLock1 {
  2. private AtomicReference<Thread> owner =new AtomicReference<>();
  3. private int count =0;
  4. public void lock(){
  5. Thread current = Thread.currentThread();
  6. if(current==owner.get()) {
  7. count++;
  8. return ;
  9. }
  10. while(!owner.compareAndSet(null, current)){
  11. }
  12. }
  13. public void unlock (){
  14. Thread current = Thread.currentThread();
  15. if(current==owner.get()){
  16. if(count!=0){
  17. count--;
  18. }else{
  19. owner.compareAndSet(current, null);
  20. }
  21. }
  22. }
  23. }