当前位置: 移动技术网 > IT编程>开发语言>Java > Java锁之可重入锁介绍

Java锁之可重入锁介绍

2019年07月22日  | 移动技术网IT编程  | 我要评论

叙利亚内战最新消息,小黄文纯肉短篇,嵩山饭店8号楼

锁作为并发共享数据,保证一致性的工具,在java平台有多种实现(如 synchronized 和 reentrantlock等等 ) 。这些已经写好提供的锁为我们开发提供了便利,但是锁的具体性质以及类型却很少被提及。本系列文章将分析java下常见的锁名称以及特性,为大家答疑解惑。

四、可重入锁:

本文里面讲的是广义上的可重入锁,而不是单指java下的reentrantlock。

可重入锁,也叫做递归锁,指的是同一线程 外层函数获得锁之后 ,内层递归函数仍然有获取该锁的代码,但不受影响。
在java环境下 reentrantlock 和synchronized 都是 可重入锁。

下面是使用实例:

复制代码 代码如下:

public class test implements runnable{

 public synchronized void get(){
  system.out.println(thread.currentthread().getid());
  set();
 }

 public synchronized void set(){
  system.out.println(thread.currentthread().getid());
 }

 @override
 public void run() {
  get();
 }
 public static void main(string[] args) {
  test ss=new test();
  new thread(ss).start();
  new thread(ss).start();
  new thread(ss).start();
 }
}

两个例子最后的结果都是正确的,即 同一个线程id被连续输出两次。

结果如下:

复制代码 代码如下:

threadid: 8
threadid: 8
threadid: 10
threadid: 10
threadid: 9
threadid: 9

可重入锁最大的作用是避免死锁。
我们以自旋锁作为例子。

复制代码 代码如下:

public class spinlock {
 private atomicreference<thread> owner =new atomicreference<>();
 public void lock(){
  thread current = thread.currentthread();
  while(!owner.compareandset(null, current)){
  }
 }
 public void unlock (){
  thread current = thread.currentthread();
  owner.compareandset(current, null);
 }
}

对于自旋锁来说:

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

修改之后,如下:

复制代码 代码如下:

public class spinlock1 {
 private atomicreference<thread> owner =new atomicreference<>();
 private int count =0;
 public void lock(){
  thread current = thread.currentthread();
  if(current==owner.get()) {
   count++;
   return ;
  }

  while(!owner.compareandset(null, current)){

  }
 }
 public void unlock (){
  thread current = thread.currentthread();
  if(current==owner.get()){
   if(count!=0){
    count--;
   }else{
    owner.compareandset(current, null);
   }

  }

 }
}

该自旋锁即为可重入锁。

如对本文有疑问,请在下面进行留言讨论,广大热心网友会与你互动!! 点击进行留言回复

相关文章:

验证码:
移动技术网