0

instanceMap のキーと値を自動的にクリアする方法; getInstance() API によって返された Conf オブジェクトが、WeakHashMap と WeakReference を使用してガベージ コレクションされている場合は...?

//single conference instance per ConferenceID
class Conf {

    private static HashMap<String, Conf> instanceMap = new HashMap<String, Conf>;

    /*
     * Below code will avoid two threads are requesting 
     * to create conference with same confID.
     */
    public static Conf getInstance(String confID){
        //This below synch will ensure singleTon created per confID
        synchronized(Conf.Class) {   
           Conf conf = instanceMap.get(confID);
           if(conf == null) {
                 conf = new Conf();
                 instanceMap.put(confID, conf);
           }
           return conf;
        }         
    }
}
4

1 に答える 1

2

キーが破棄されたときにクリーンアップする場合は、WeakHashMap を使用します。値のクリーンアップを破棄したい場合は、これを自分で行う必要があります。

private static final Map<String, WeakReference<Conf>> instanceMap = new HashMap<>;

/*
 * Below code will avoid two threads are requesting 
 * to create conference with same confID.
 */
public static synchronized Conf getInstance(String confID){
    //This below synch will ensure singleTon created per confID

    WeakReference<Conf> ref = instanceMap.get(confID);
    Conf conf;
    if(ref == null || (conf = ref.get()) == null) {
        conf = new Conf();
        instanceMap.put(confID, new WeakReference<Conf>(conf));
    }
    return conf;
}

注: これにより、デッド キーが放置される可能性があります。これが望ましくない場合は、それらをクリーンアップする必要があります。

for(Iterator<WeakReference<Conf>> iter = instanceMap.values().iterator(); iter.hashNext() ; ) {
    WeakReference<Conf> ref = iter.next();
    if (ref.get() == null) iter.remove();
}
于 2013-10-02T10:09:06.720 に答える