序章
ArrayDeque
と次の Generics
ソリューションを使用して、LRUポリシーを使用して単純なキャッシュを実装しました。
public class Cache<T> extends ArrayDeque<T> implements Serializable {
private static final long serialVersionUID = 1L;
private int MAX_SIZE;
public Cache(int maxSize) {
MAX_SIZE = maxSize;
}
public void store(T e) {
if (super.size() >= MAX_SIZE) {
this.pollLast();
}
this.addFirst(e);
}
public T fetch(T e) {
Iterator<T> it = this.iterator();
while (it.hasNext()) {
T current = it.next();
if (current.equals(e)) {
this.remove(current);
this.addFirst(current);
return current;
}
}
return null;
}
}
問題
クラスをインスタンス化して要素をプッシュすると、
Cache<CachedClass> cache = new Cache<CachedClass>(10);
cache.store(new CachedClass());
この時点では、キューには何も含まれていません。
なぜこうなった?
観察
ちなみに、CachedClass
オーバーライドはメソッドをオーバーライドします.equals()
。
テスト
public class CacheTest {
@Test
public void testStore() {
Cache<Integer> cache = new Cache<Integer>(3);
cache.store(1);
assertTrue(cache.contains(1));
cache.store(2);
cache.store(3);
cache.store(4);
assertEquals(cache.size(), 3);
}
@Test
public void testFetch() {
Cache<Context> cache = new Cache<Context>(2);
Context c1 = new Context(1);
Context c2 = new Context(2);
cache.store(c1);
cache.store(c2);
assertEquals((Context) cache.peekFirst(), (new Context(2)));
Context c = cache.fetch(c1);
assertTrue(c == c1);
assertEquals(cache.size(), 2);
assertEquals((Context) cache.peekFirst(), (new Context(1)));
}
}
編集両方のテストに合格しました。
最初のテストに合格します。を投げることに失敗し
AssertException
ますassertTrue(cache.peekFirst() == 1);
2番目のテストの