欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

java 线程公平锁与非公平锁详解及实例代码

程序员文章站 2024-03-06 18:01:08
java 线程公平锁与非公平锁详解 在reentrantlock中很明显可以看到其中同步包括两种,分别是公平的fairsync和非公平的nonfairsync。公平锁的作...

java 线程公平锁与非公平锁详解

在reentrantlock中很明显可以看到其中同步包括两种,分别是公平的fairsync和非公平的nonfairsync。公平锁的作用就是严格按照线程启动的顺序来执行的,不允许其他线程插队执行的;而非公平锁是允许插队的。

默认情况下reentrantlock是通过非公平锁来进行同步的,包括synchronized关键字都是如此,因为这样性能会更好。因为从线程进入了runnable状态,可以执行开始,到实际线程执行是要比较久的时间的。而且,在一个锁释放之后,其他的线程会需要重新来获取锁。其中经历了持有锁的线程释放锁,其他线程从挂起恢复到runnable状态,其他线程请求锁,获得锁,线程执行,这一系列步骤。如果这个时候,存在一个线程直接请求锁,可能就避开挂起到恢复runnable状态的这段消耗,所以性能更优化。

  /**
   * creates an instance of {@code reentrantlock}.
   * this is equivalent to using {@code reentrantlock(false)}.
   */
  public reentrantlock() {
    sync = new nonfairsync();
  }

默认状态,使用的reentrantlock()就是非公平锁。再参考如下代码,我们知道reentrantlock的获取锁的操作是通过装饰模式代理给sync的。

 /**
   * acquires the lock.
   *
   * <p>acquires the lock if it is not held by another thread and returns
   * immediately, setting the lock hold count to one.
   *
   * <p>if the current thread already holds the lock then the hold
   * count is incremented by one and the method returns immediately.
   *
   * <p>if the lock is held by another thread then the
   * current thread becomes disabled for thread scheduling
   * purposes and lies dormant until the lock has been acquired,
   * at which time the lock hold count is set to one.
   */
  public void lock() {
    sync.lock();
  }

下面参考一下fairsync和nonfairsync对lock方法的实现:

 /**
   * sync object for non-fair locks
   */
  static final class nonfairsync extends sync {
    /**
     * performs lock. try immediate barge, backing up to normal
     * acquire on failure.
     */
    final void lock() {
      if (compareandsetstate(0, 1))
        setexclusiveownerthread(thread.currentthread());
      else
        acquire(1);
    }
  }

  /**
   * sync object for fair locks
   */
  static final class fairsync extends sync {
    final void lock() {
      acquire(1);
    }
  }

当使用非公平锁的时候,会立刻尝试配置状态,成功了就会插队执行,失败了就会和公平锁的机制一样,调用acquire()方法,以排他的方式来获取锁,成功了立刻返回,否则将线程加入队列,知道成功调用为止。

感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!