读写锁Interface ReadWriteLock

  • 读可以被多线程同时读
  • 写的时候只能有一个线程写
/*
* 独占锁 一次只能被一个线程占有(写锁),共享锁 多个线程可以同时占有(读锁)
* ReadWriteLock
* 读-读 可以共存
* 读-写 不能共存
* 写-写 不能共存*/
public class ReadWriteLockDemo {
    public static void main(String[] args) {
        MyCacheLock myCache = new MyCacheLock();

        for (int i = 1; i < 5; i++) {
            final int temp=i;
            new Thread(()->{
                myCache.put(temp+"",temp+"");
            },String.valueOf(i)).start();
        }
        for (int i = 1; i < 5; i++) {
            final int temp=i;
            new Thread(()->{
                myCache.get(temp+"");
            },String.valueOf(i)).start();
        }
    }
}
/*
* 自定义缓存*/


class MyCache{
    private volatile Map<String,Object> map=new HashMap<>();
    //存
    public void put(String key,Object value){
        System.out.println(Thread.currentThread().getName()+"写入"+key);
        map.put(key,value);
        System.out.println(Thread.currentThread().getName()+"写入ok");
    }
    //取
    public void get(String key){
        System.out.println(Thread.currentThread().getName()+"读取"+key);
        Object o = map.get(key);
        System.out.println(Thread.currentThread().getName()+"读取ok");
    }
}

//加锁
class MyCacheLock{
    private volatile Map<String,Object> map=new HashMap<>();

    //加读写锁,更加细粒度的控制相较于ReentrantLock
    private ReadWriteLock lock= new ReentrantReadWriteLock();

    //存,写入的时候只希望同时只有一个线程写
    public void put(String key,Object value){
        lock.writeLock().lock();
        try {
            System.out.println(Thread.currentThread().getName()+"写入"+key);
            map.put(key,value);
            System.out.println(Thread.currentThread().getName()+"写入ok");
        } catch (Exception e) {
            e.printStackTrace();
        } finally {
            lock.writeLock().unlock();
        }
    }
    //取,所有都可以进行去读
    public void get(String key){
        lock.readLock().lock();
        try {
            System.out.println(Thread.currentThread().getName()+"读取"+key);
            Object o = map.get(key);
            System.out.println(Thread.currentThread().getName()+"读取ok");
        } catch (Exception e) {
            e.printStackTrace();
        } finally {
            lock.readLock().unlock();
        }

    }
}
posted @ 2022-01-13 16:33  一刹流云散  阅读(28)  评论(0编辑  收藏  举报