国产一级a片免费看高清,亚洲熟女中文字幕在线视频,黄三级高清在线播放,免费黄色视频在线看

打開APP
userphoto
未登錄

開通VIP,暢享免費(fèi)電子書等14項(xiàng)超值服

開通VIP
The WeakHashMap Class

The WeakHashMap Class

07/09/2001

WeakHashMap is a type of Map which differs from other Maps in more than just having a different implementation.

WeakHashMap uses weak references to hold its keys,making it one of the few classes able to respond to the fluctuatingmemory requirements of the JVM. This can make WeakHashMapunpredictable at times, unless you know exactly what you are doing withit. In the following sections I examine how best to use WeakHashMap, and why WeakHashMap behaves the way it does.

Using WeakHashMap to Avoid Memory Leaks

How many times have you used a Map to store extra information aboutobjects? Perhaps subclassing of those objects were disallowed, but youneeded to record extra state information for each object; or there weremany different types of objects, and you needed to have a centralrepository where information was easily accessible about any one of theobjects.

Here's a simple example of a class which allows any object to beregistered with it, and which keeps track of two items of informationabout that object, the elapsed time since the object was registered, anda separate counter.


public class ExtraInformation
{
static Map ExtraInfo = new HashMap();

long registrationTime;
int countSomething = 0;

public static void registerObject(Object o)
{
ExtraInfo.put(o, new ExtraInformation())
}

public ExtraInformation()
{
//record time when first registered
registrationTime = System.currentTimeMillis();
}

public static void incrementCount(Object o)
{
((ExtraInformation) ExtraInfo.get(o)).incrementCount++;
}

public static int getCount(Object o)
{
return ((ExtraInformation) ExtraInfo.get(o)).incrementCount;
}

public static long getElapseTimeMillis(Object o)
{
return System.currentTimeMillis() -
((ExtraInformation) ExtraInfo.get(o)).registrationTime;
}
}

Related Reading

Java Performance Tuning
By Jack Shirazi
Table of Contents
Index
Sample Chapter
Full Description
Read Online -- Safari

If you are alert, or thinking about the title of this section, youmay have immediately noticed that a deregistration method is missing.Without a deregistration method, the internal Map in the ExtraInformationclass keeps on growing, and retains a reference to the object key. Thisis a classic memory leak; objects never get dereferenced, so thegarbage collector can never reclaim them. So lets add the deregistrationmethod:

public static void deregisterObject(Object o)
{
  ExtraInfo.remove(o);
}

Now we can avoid the memory leak. But what if the users of this classforget to call the deregister method? What if there is no particulartime when it would be appropriate to call the deregister method? Well,we can put a big warning in the documentation -- "WARNING: MEMORY LEAKIF DEREGISTRATION IS NOT PERFORMED!". Or we can try to be nicer andhandle the situation ourselves.

Specifically, we want to handle the situation where the deregisterObject() method is not called, but the registered object is no longer referenced anywhere in the application, except by our internal Map. This situation is precisely what WeakHashMap was designed for. The keys entered into a WeakHashMap are held using WeakReferences.This allows the garbage collector to collect the keys if there are noother strong references to those keys elsewhere in the application (formore details about strong and weak references in Java, see the "Furtherresources" section at the end of this article). After the keys have beencollected, the values are also dereferenced from the WeakHashMap, and can also be garbage collected if they are not referred to elsewhere in the application.

To enable our ExtraInformation class to work with the garbage collector in avoiding memory leaks, the change is simple -- make the internal Map a WeakHashMap:

static Map ExtraInfo = new WeakHashMap();

Send your questions to Jack.
Post your comments

Also in Java Design and Performance Optimization:

Micro-Tuning Step-by-Step

Tuning JDBC: Measuring JDBC performance

Faster List Iteration with RandomAccess Interface

With this one change, we have now enabled our ExtraInformationclass to automatically release objects to the garbage collector oncethose objects are no longer referenced anywhere else in the application.(There can be other classes using weak references in a similar waywithout interfering with this functionality. No amount of weakreferences to an object will prevent that object from being eligible forcollection by the garbage collector).

Using WeakHashMap as a Cache

The previous section looked at using WeakHashMap to avoid memory leaks. WeakHashMapcan also be used fairly straightforwardly as a cache that can becleared automatically when JVM memory is low. The only difference is inneeding the keys to be objects which can be equal to other keys of thesame class. This is most easily explained with some examples:

  • Unique keys. If the keys were of the Object class, each key would be unique and could not evaluate equal to another key. Consequently, once you no longer retained a reference to the Object key, there would be no way of re-accessing values, short of enumerating all keys or values (this is true for any Map). Since a cache normally works by allowing values to be re-accessed, this would be a severe problem.

  • Equal Keys. If the keys are objects like Strings or Integers, then any particular key value could be reaccessed by creating a new key which evaluates as equal (according to the equal() method for that class) to the original key. This allows the original key to have no further strong references to it, thus enabling it to be sucessfully used as a WeakHashMap key.

    For example, a cache with the functionality of a sparse array (see the "Sparse Arrays" sidebar) is easy to implement:

public class SparseArrayCache {
  protected WeakHashMap map = new WeakHashMap();

  /* This put() will return any previous value already at index i. */
  public Object put(int i, Object o) {
    map.put(new Integer(i), o);
  }

  /* This get() will return the object at index i, or null if no
   object was put there, or if the object was garbage collected. */
  public Object get(int i) {
    return map.get(new Integer(i));
  }

  public void remove(int i, Object o) {
    map.put(new Integer(i), o);
  }
}


However, using WeakHashMap to implement a cache has areal problem with lack of control. Most builders of caches usually findthat they want to control how and when objects are removed from thecache. For example, a least-recently-used algorithm tries to retainelements in the cache that are being used the most often and removesthose elements that have not been used recently. But the elements of a WeakHashMapcache could be cleared at any time by the JVM, and there is noselectivity. Normally all the elements which can be cleared, are clearedin one go. This takes control away from the cache-builder. A moreuseful cache would be signalled by the JVM that memory was needed andwould then be allowed to select which elements to clear. It is possibleto take more control over cache clearing with your own implementationdirectly using WeakReferences, but that wouldn't use a WeakHashMap, so I'll leave that discussion to another article.

How WeakHashMap works

You don't need to know the internals of WeakHashMaps touse them. But the implementation is interesting, and studying the it canmake you aware of some of the curious performance consequences ofworking with WeakHashMaps.

The keys in a WeakHashMap are WeakReference objects. The object passed as the key to a WeakHashMap is stored as the referent of the WeakReference object, and the value is the standard Map value. (The object returned by calling Reference.get() is termed the referent of the Reference object.) A comparison with HashMap can help:


HashMap

Map h = new HashMap();

Object key = new Object;
h.put(key, "xyz");

key = null;

WeakHashMap

Map h = new WeakHashMap();

Object key = new Object;
h.put(key, "xyz");

key = null;

Conceptually, this is similar to inserting a line before the put() call like this:

key = new WeakReferenkey(key);

The key is referenced directly by the HashMap.

The key is not referenced directly by the WeakHashMap. Instead, a WeakReference object is referenced directly by the WeakHashMap, and the key is referenced weakly from the WeakReference object.

The value is referenced directly by the HashMap.

The value is referenced directly by the HashMap.

The key is not garbage collectable, since the map contains a strong reference to the key. The key could be obtained by iterating over the keys of the HashMap.

The key is garbage collectable, as nothing else in the application refers to it, and the WeakReference only holds the key weakly. Iterating over the keys of the WeakHashMap might obtain the key, but might not, if the key has been garbage collected.

The value is similarly not garbage collectable.

The value is not directly garbage collectable. However, when the key is collected by the garbage collector, the WeakReference object is subsequently removed from the WeakHashMap as a key, thus making the value garbage collectable too.

The (1.2- and 1.3-version) WeakHashMap implementation wraps a HashMap for its underlying Map implementation, and wraps keys with WeakReferences (actually a WeakReference subclass) before putting the keys into the underlying HashMap. The WeakHashMap uses its own ReferenceQueue object so that it is notified of keys that have been garbage collected, thus allowing the timely removal of the WeakReference objects and the correponding values. The queue is checked whenever the Map is altered. If you have not worked with Reference objects and ReferenceQueues before, this can be a little confusing, so I'll work through an example. The following example adds a key-value pair to the WeakHashMap, assumes that the key is garbage collected, and records the subsequent procedure followed by the WeakHashMap.

  1. A key value pair is added to the Map:

    aWeakHashMap.put(key, value);

    This results in the addition of a WeakReference key added to the WeakHashMap, with the original key held as the referent of the WeakReference object. You could do the equivalent using a HashMap like this:

    ReferenceQueue Queue = new ReferenceQueue();
    MyWeakReference RefKey = new MyWeakReference(key, Queue);
    aHashMap.put(RefKey, value);

    (For the equivalence code, I've used a subclass of WeakReference, as I'll need to override the WeakReference.equals() for equal key access in the subsequent points to work correctly.) Note that at this stage the referent of the WeakReference just created is the original key; i.e., the following statement would output "true":

    System.out.println(RefKey.get() == key);
  2. At this point, you could access the value from the WeakHashMap using the original key, or another key which is equal to the original key; i.e., the following statements would now output "true":

    System.out.println(aWeakHashMap.get(equalKey) == value);
    System.out.println(aWeakHashMap.get(key) == value);

    In our equivalent code using the HashMap, the following statements would now output "true":

    MyWeakReference RefKey2 = new MyWeakReference(equalKey, Queue);
    System.out.println(aHashMap.get(RefKey2) == value);
    System.out.println(aHashMap.get(RefKey) == value);

    Note that in order to get this equivalence, we need to implement equals() and hashcode() in the MyWeakReference class, so that equal referents make equal MyWeakReference objects. This is necessary so that the MyWeakReference wrapped keys evaluate as equal keys in Maps. The code is available from the source (see "Further Resources" at the end of this article). The equals() method returns true if the MyWeakReference objects are identical or if their referents are equal.

  3. We now null out the reference to the original key:

    key = null;

    After some time, the garbage collector detects that the key is no longer referenced anywhere else in the application, and clears the WeakReference key. In the equivalent code using the HashMap from this point on, the WeakReference we created has a null referent; i.e., the following statement would now output "true":

    System.out.println(RefKey.get() == null);

    Maintaining a reference to the WeakReference object (in the RefKey variable) doesn't affect clearing the referent. In the WeakHashMap, the WeakReference object key is also strongly referenced from the map, but its referent, the original key, is cleared.

  4. The garbage collector adds the WeakReference that it recently cleared into its ReferenceQueue; that queue is the ReferenceQueue object, which was passed in to the constructor of the WeakReference.

  5. Trying to retrieve the value using a key equal to the original key would now return null. (To try this it is necessary to use a key equal to the original key; we no longer have access to the original key, otherwise it could not have been garbage collected). The following statement would now output "true":

    System.out.println(aWeakHashMap.get(equalKey) == null);

    In our equivalent code using the HashMap, the following statements would now output "true":

    MyWeakReference RefKey3 = new MyWeakReference(equalKey, Queue);
    System.out.println(aHashMap.get(RefKey3) == null);

  6. However, at the moment the WeakReference and the value objects are still strongly referenced by the Map. That is where the ReferenceQueue comes in. Recall that when the garbage collector clears the WeakReference, it adds the WeakReference into the ReferenceQueue. Now that it is in the ReferenceQueue, we need to have it processed. In the case of the WeakHashMap, the WeakReference stays in the ReferenceQueue until the WeakHashMap is altered in some way, e.g. by calling put(), remove(), or clear(), etc. Once one of the mutator methods have been called, the WeakHashMap runs through its ReferenceQueue, removing all WeakReference objects from the queue and also removing each WeakReference object as a key in its internal map, thus simultaneously dereferencing the value. In the following example, I use a dummy object to force queue processing without making any real changes to the WeakHashMap:

    aWeakHashMap.put(DUMMY_OBJ, DUMMY_OBJ);

    The equivalent code using the HashMap does not need a dummy object, but we need to carry out the equivalent queue processing:

    MyWeakReference aRef;
    while ((aRef = (MyWeakReference) Queue.poll()) != null)
    {
    aHashMap.remove(aRef);
    }

    As you see, we take each WeakReeference out of the queue, and remove it from the Map. This also releases the corresponding value object, and both the WeakReference object and the value object can now be garbage collected if there are no other strong references to them.

Reference objects with String literal referents

Note that if you use a string literal as a key to a WeakHashMap, or the referent to a Reference object, it will not necessarily be garbage collected when the application no longer references it. For example, consider the code:

String s = "hello";
WeakHashMap h = new WeakHashMap();
h.put(s,"xyz");
s = null;

You might expect that the string "hello" can now be garbage collected, since we have nulled the reference to it. However, a string created as a literal is created at compile time, and held in a string pool in the class file. The JVM normally holds these strings internally in its own string pool after the class has been loaded. Consequently, the JVM retains a strong reference to the String object, and it will not be garbage collected until the JVM releases it from the string pool; that may be never, or it may be when the class is garbage collected, or some other time. If you want to use a String object as a key to a WeakHashMap, ensure it is created at runtime, e.g.:

String s1 = new String("hello");
String s2 = (new StringBuffer()).append("hello").toString();

This string does not get put into the JVM string pool, and so can be garbage collected when the application no longer holds strong references to it. Note that calling String.intern() on a string will also put it into the internal JVM string pool, giving rise to the same issues as literal strings. Similarly, other objects which the JVM could retain a strong reference to, such as Class objects, may also not be garbage collected when there are no longer any strong references to them from the application.

Some Consequences of the WeakHashMap Implementation

  • Reference clearing is automatic; consequently, there is no need to worry about achieving some sort of corrupt state if you try to access an object and the garbage collector is clearing keys at the same time. You will either get the object or you won't.

  • The values are not released until the WeakHashMap is altered. This is specific to the implementation, and was done to avoid getting ConcurrentModificationExceptions. If the ReferenceQueue were processed on an accessor, this could be from an Iterator accessing elements. Then even if there was only one thread running, it would be possible for the map to be altered as you iterated through it, giving a surprising ConcurrentModificationException. Specifically one of the mutator methods, put(), remove(), or clear(), need to be called directly or indirectly (e.g. from putAll()) for the values to be released by the WeakHashMap. If you do not call any mutator methods after populating the WeakHashMap, the values and WeakReference objects will never be dereferenced.

  • WeakHashMap (at least up to version 1.3) wraps an internal HashMap. This means that practically every call to the WeakHashMap has one extra level of indirection it must go through (e.g. WeakHashMap.get() calls HashMap.get()), which can be a significant performance overhead. This is a specific choice of the implementation.

  • Every call to get() creates a new WeakReference object to enable equality testing of keys in the internal HashMap. Although these are small short-lived objects, if get() was used intensively this could generate a heavy performance overhead. Again this is a specific choice of the implementation. The WeakHashMap could implement a hash table directly in the class and avoid the need for extra WeakReference objects.

  • Unlike many other collections, WeakHashMap cannot maintain a count of elements, since keys can be cleared at any time by the garbage collector without immediately notifying the WeakHashMap. This means that seemingly simple methods such as isEmpty() and size() have more complicated implementations than for most collections. Specifically, size() actually iterates thorugh the keys, counting those that have not been cleared. Consequently size() is an operation that takes time proportional to the size of the WeakHashMap. Similarly, isEmpty() iterates through the collection looking for a non-null key. This produces the perverse result that a WeakHashMap which is empty, due to having all its keys cleared, requires more time for isEmpty() to return than a similar WeakHashMap that is not empty.

Further Resources

The source code for testing code equivalent to WeakHashMap is in Test.java.

Strong and weak references:

Java performance tuning

Jack Shiraziis the author of Java Performance Tuning.He was an early adopter of Java, and for the last few years hasconsulted mainly for the financial sector, focusing on Java performance.

本站僅提供存儲(chǔ)服務(wù),所有內(nèi)容均由用戶發(fā)布,如發(fā)現(xiàn)有害或侵權(quán)內(nèi)容,請點(diǎn)擊舉報(bào)。
打開APP,閱讀全文并永久保存 查看更多類似文章
猜你喜歡
類似文章
譯文:理解Java中的弱引用
Garbage Collection--Part 2: Automatic Memory Management in the Microsoft .NET Framework
Java 理論與實(shí)踐: 用弱引用堵住內(nèi)存泄漏
從源碼角度分析 WeakHashMap 垃圾回收原理
理解 Java 的 GC 與 幽靈引用
Java虛擬機(jī)學(xué)習(xí)(9):對(duì)象引用強(qiáng)度
更多類似文章 >>
生活服務(wù)
分享 收藏 導(dǎo)長圖 關(guān)注 下載文章
綁定賬號(hào)成功
后續(xù)可登錄賬號(hào)暢享VIP特權(quán)!
如果VIP功能使用有故障,
可點(diǎn)擊這里聯(lián)系客服!

聯(lián)系客服