Java SoftReference VS WeakReference

SoftReference & WeakReference 都是相对 StrongReference,在某些条件下,非StrongReference会被垃圾回收,可以防止OOM。

 

SoftReference 比较好理解,就是在 Memory 满的时候,OOM之前,SoftReference对象会被GC回收。比较适合做缓存。

 

WeakReference,会咋对象不在被其他 Strong Reference后很快被GC回收,常用的 WeakHashMap,其 key 是该 map 对其的 weak reference, 当 key不在有其他 strong reference时(此时key仍然是被 weakHashMap weak reference 的),GC回收key,同时从 map把 key 对应的 item 删除,也就 remove key item,释放 value 值。一个例子如下:

 

public static void main(String[] args) throws InterruptedException {
        Object ll = new Object();
        WeakHashMap<Object, Object> map = new WeakHashMap<Object, Object>();

         /*

           输出结果为: null

         */
        // HashMap<Object, Object> map = new HashMap<Object, Object>();

       /*

           输出结果为: null
                                 java.lang.Object@42b1b4c3 : java.lang.Object@24e2dae9

         */


        Object o1 = new Object();
        map.put(ll, o1);
        ll = null;
        System.gc();
        Object object = map.get(ll);
        if (object == null) {
            System.out.println("null");
        } else {
            System.out.println("Not null");
        }

        for (Entry<Object, Object> set : map.entrySet()) {
            System.out.println(set.getKey() + " : " + set.getValue());
        }
    }

你可能感兴趣的:(WeakReference)