⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 cache.java

📁 基于Jabber协议的即时消息服务器
💻 JAVA
📖 第 1 页 / 共 2 页
字号:
/** * $RCSfile$ * $Revision: 3804 $ * $Date: 2006-04-19 14:25:10 -0700 (Wed, 19 Apr 2006) $ * * Copyright (C) 2004 Jive Software. All rights reserved. * * This software is published under the terms of the GNU Public License (GPL), * a copy of which is included in this distribution. */package org.jivesoftware.util;import java.io.IOException;import java.io.ObjectOutputStream;import java.io.OutputStream;import java.util.*;/** * Default, non-distributed implementation of the Cache interface. * The algorithm for cache is as follows: a HashMap is maintained for fast * object lookup. Two linked lists are maintained: one keeps objects in the * order they are accessed from cache, the other keeps objects in the order * they were originally added to cache. When objects are added to cache, they * are first wrapped by a CacheObject which maintains the following pieces * of information:<ul> * * <li> The size of the object (in bytes). * <li> A pointer to the node in the linked list that maintains accessed * order for the object. Keeping a reference to the node lets us avoid * linear scans of the linked list. * <li> A pointer to the node in the linked list that maintains the age * of the object in cache. Keeping a reference to the node lets us avoid * linear scans of the linked list.</ul><p> * * To get an object from cache, a hash lookup is performed to get a reference * to the CacheObject that wraps the real object we are looking for. * The object is subsequently moved to the front of the accessed linked list * and any necessary cache cleanups are performed. Cache deletion and expiration * is performed as needed. * * @author Matt Tucker */public class Cache<K, V> implements Map<K, V> {    /**     * The map the keys and values are stored in.     */    protected Map<K, CacheObject<V>> map;    /**     * Linked list to maintain order that cache objects are accessed     * in, most used to least used.     */    protected org.jivesoftware.util.LinkedList lastAccessedList;    /**     * Linked list to maintain time that cache objects were initially added     * to the cache, most recently added to oldest added.     */    protected LinkedList ageList;    /**     * Maximum size in bytes that the cache can grow to.     */    private int maxCacheSize;    /**     * Maintains the current size of the cache in bytes.     */    private int cacheSize = 0;    /**     * Maximum length of time objects can exist in cache before expiring.     */    protected long maxLifetime;    /**     * Maintain the number of cache hits and misses. A cache hit occurs every     * time the get method is called and the cache contains the requested     * object. A cache miss represents the opposite occurence.<p>     *     * Keeping track of cache hits and misses lets one measure how efficient     * the cache is; the higher the percentage of hits, the more efficient.     */    protected long cacheHits, cacheMisses = 0L;    /**     * The name of the cache.     */    private String name;    /**     * Create a new cache and specify the maximum size of for the cache in     * bytes, and the maximum lifetime of objects.     *     * @param name a name for the cache.     * @param maxSize the maximum size of the cache in bytes. -1 means the cache     *      has no max size.     * @param maxLifetime the maximum amount of time objects can exist in     *      cache before being deleted. -1 means objects never expire.     */    public Cache(String name, int maxSize, long maxLifetime) {        this.name = name;        this.maxCacheSize = maxSize;        this.maxLifetime = maxLifetime;        // Our primary data structure is a HashMap. The default capacity of 11        // is too small in almost all cases, so we set it bigger.        map = new HashMap<K, CacheObject<V>>(103);        lastAccessedList = new LinkedList();        ageList = new LinkedList();    }    public synchronized V put(K key, V value) {        // Delete an old entry if it exists.        remove(key);        int objectSize = calculateSize(value);        // If the object is bigger than the entire cache, simply don't add it.        if (maxCacheSize > 0 && objectSize > maxCacheSize * .90) {            Log.warn("Cache: " + name + " -- object with key " + key +                    " is too large to fit in cache. Size is " + objectSize);            return value;        }        cacheSize += objectSize;        CacheObject<V> cacheObject = new CacheObject<V>(value, objectSize);        map.put(key, cacheObject);        // Make an entry into the cache order list.        LinkedListNode lastAccessedNode = lastAccessedList.addFirst(key);        // Store the cache order list entry so that we can get back to it        // during later lookups.        cacheObject.lastAccessedListNode = lastAccessedNode;        // Add the object to the age list        LinkedListNode ageNode = ageList.addFirst(key);        // We make an explicit call to currentTimeMillis() so that total accuracy        // of lifetime calculations is better than one second.        ageNode.timestamp = System.currentTimeMillis();        cacheObject.ageListNode = ageNode;        // If cache is too full, remove least used cache entries until it is        // not too full.        cullCache();        return value;    }    public synchronized V get(Object key) {        // First, clear all entries that have been in cache longer than the        // maximum defined age.        deleteExpiredEntries();        CacheObject<V> cacheObject = map.get(key);        if (cacheObject == null) {            // The object didn't exist in cache, so increment cache misses.            cacheMisses++;            return null;        }        // The object exists in cache, so increment cache hits. Also, increment        // the object's read count.        cacheHits++;        cacheObject.readCount++;        // Remove the object from it's current place in the cache order list,        // and re-insert it at the front of the list.        cacheObject.lastAccessedListNode.remove();        lastAccessedList.addFirst(cacheObject.lastAccessedListNode);        return cacheObject.object;    }    public synchronized V remove(Object key) {        CacheObject<V> cacheObject = map.get(key);        // If the object is not in cache, stop trying to remove it.        if (cacheObject == null) {            return null;        }        // remove from the hash map        map.remove(key);        // remove from the cache order list        cacheObject.lastAccessedListNode.remove();        cacheObject.ageListNode.remove();        // remove references to linked list nodes        cacheObject.ageListNode = null;        cacheObject.lastAccessedListNode = null;        // removed the object, so subtract its size from the total.        cacheSize -= cacheObject.size;        return cacheObject.object;    }    public synchronized void clear() {        Object[] keys = map.keySet().toArray();        for (int i = 0; i < keys.length; i++) {            remove(keys[i]);        }        // Now, reset all containers.        map.clear();        lastAccessedList.clear();        lastAccessedList = new LinkedList();        ageList.clear();        ageList = new LinkedList();        cacheSize = 0;        cacheHits = 0;        cacheMisses = 0;    }    public int size() {        // First, clear all entries that have been in cache longer than the        // maximum defined age.        deleteExpiredEntries();        return map.size();    }    public boolean isEmpty() {        // First, clear all entries that have been in cache longer than the        // maximum defined age.        deleteExpiredEntries();        return map.isEmpty();    }    public Collection<V> values() {        // First, clear all entries that have been in cache longer than the        // maximum defined age.        deleteExpiredEntries();        return new CacheObjectCollection(map.values());    }    /**     * Wraps a cached object collection to return a view of its inner objects     */    private final class CacheObjectCollection<V> implements Collection<V> {        private Collection<CacheObject<V>> cachedObjects;        private CacheObjectCollection(Collection<CacheObject<V>> cachedObjects) {            this.cachedObjects = new ArrayList<CacheObject<V>>(cachedObjects);        }        public int size() {            return cachedObjects.size();        }        public boolean isEmpty() {            return size() == 0;        }        public boolean contains(Object o) {            Iterator<V> it = iterator();            while (it.hasNext()) {                if (it.next().equals(o)) {                    return true;                }            }            return false;        }        public Iterator<V> iterator() {            return new Iterator<V>() {                private final Iterator<CacheObject<V>> it = cachedObjects.iterator();                public boolean hasNext() {                    return it.hasNext();                }                public V next() {                    if(it.hasNext()) {                        CacheObject<V> object = it.next();                        if(object == null) {                            return null;                        } else {                            return object.object;                        }                    }                    else {                        throw new NoSuchElementException();                    }                }                public void remove() {                    throw new UnsupportedOperationException();                }            };        }        public Object[] toArray() {            Object[] array = new Object[size()];            Iterator it = iterator();            int i = 0;            while (it.hasNext()) {                array[i] = it.next();            }            return array;        }        public <V>V[] toArray(V[] a) {            Iterator<V> it = (Iterator<V>) iterator();            int i = 0;            while (it.hasNext()) {                a[i++] = it.next();            }            return a;        }        public boolean containsAll(Collection<?> c) {            Iterator it = c.iterator();            while(it.hasNext()) {                if(!contains(it.next())) {                    return false;                }            }            return true;        }        public boolean add(V o) {            throw new UnsupportedOperationException();        }        public boolean remove(Object o) {            throw new UnsupportedOperationException();        }        public boolean addAll(Collection<? extends V> coll) {            throw new UnsupportedOperationException();        }        public boolean removeAll(Collection<?> coll) {            throw new UnsupportedOperationException();        }        public boolean retainAll(Collection<?> coll) {            throw new UnsupportedOperationException();        }        public void clear() {            throw new UnsupportedOperationException();        }    }    public boolean containsKey(Object key) {        // First, clear all entries that have been in cache longer than the        // maximum defined age.        deleteExpiredEntries();

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -