Last active
August 29, 2015 14:04
-
-
Save mkotb/2d0474ce2a7b32648d10 to your computer and use it in GitHub Desktop.
Proper way to cache objects
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.util.ArrayList; | |
import org.apache.commons.collections.MapIterator; | |
import org.apache.commons.collections.map.LRUMap; | |
public class CacheMap<K, V> { | |
private long timeToLive; | |
private LRUMap cacheMap; | |
public CacheMap(long timeToLive, final long timerInterval, int maxItems) { | |
this.timeToLive = timeToLive * 1000; | |
cacheMap = new LRUMap(maxItems); | |
if (timeToLive > 0 && timerInterval > 0) { | |
Thread t = new Thread(new Runnable() { | |
public void run() { | |
while (true) { | |
try { | |
Thread.sleep(timerInterval * 1000); | |
} catch (InterruptedException ex) { | |
} | |
cleanup(); | |
} | |
} | |
}); | |
t.setDaemon(true); | |
t.start(); | |
} | |
} | |
public void put(K key, V value) { | |
synchronized (cacheMap) { | |
cacheMap.put(key, new CacheObject(value)); | |
} | |
} | |
public V get(K key) { | |
synchronized (cacheMap) { | |
CacheObject c = (CacheObject) cacheMap.get(key); | |
if (c == null) | |
return null; | |
else { | |
c.lastAccessed = System.currentTimeMillis(); | |
return c.value; | |
} | |
} | |
} | |
public void remove(K key) { | |
synchronized (cacheMap) { | |
cacheMap.remove(key); | |
} | |
} | |
public int size() { | |
synchronized (cacheMap) { | |
return cacheMap.size(); | |
} | |
} | |
public void cleanup() { | |
long now = System.currentTimeMillis(); | |
ArrayList<K> deleteKey = null; | |
synchronized (cacheMap) { | |
MapIterator itr = cacheMap.mapIterator(); | |
deleteKey = new ArrayList<K>((cacheMap.size() / 2) + 1); | |
K key = null; | |
CacheObject c = null; | |
while (itr.hasNext()) { | |
key = (K) itr.next(); | |
c = (CacheObject) itr.getValue(); | |
if (c != null && (now > (timeToLive + c.lastAccessed))) { | |
deleteKey.add(key); | |
} | |
} | |
} | |
for (K key : deleteKey) { | |
synchronized (cacheMap) { | |
cacheMap.remove(key); | |
} | |
Thread.yield(); | |
} | |
} | |
protected class CacheObject { | |
public long lastAccessed = System.currentTimeMillis(); | |
public V value; | |
protected CacheObject(T value) { | |
this.value = value; | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment