blob: d4b11e0ce5f7d2963f604ea8bdeb5aa9cc864119 [file] [log] [blame]
QUICHE teama6ef0a62019-03-07 20:34:33 -05001// Copyright (c) 2018 The Chromium Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5#ifndef QUICHE_QUIC_CORE_QUIC_LRU_CACHE_H_
6#define QUICHE_QUIC_CORE_QUIC_LRU_CACHE_H_
7
8#include <memory>
9
QUICHE team5be974e2020-12-29 18:35:24 -050010#include "quic/platform/api/quic_containers.h"
11#include "quic/platform/api/quic_export.h"
12#include "quic/platform/api/quic_flag_utils.h"
13#include "quic/platform/api/quic_flags.h"
vasilvv5cef78e2021-01-30 11:11:14 -080014#include "quic/platform/api/quic_logging.h"
QUICHE teama6ef0a62019-03-07 20:34:33 -050015
16namespace quic {
17
18// A LRU cache that maps from type Key to Value* in QUIC.
19// This cache CANNOT be shared by multiple threads (even with locks) because
20// Value* returned by Lookup() can be invalid if the entry is evicted by other
21// threads.
22template <class K, class V>
dschinazie2116422019-10-29 11:54:26 -070023class QUIC_NO_EXPORT QuicLRUCache {
QUICHE teama6ef0a62019-03-07 20:34:33 -050024 public:
25 explicit QuicLRUCache(size_t capacity) : capacity_(capacity) {}
26 QuicLRUCache(const QuicLRUCache&) = delete;
27 QuicLRUCache& operator=(const QuicLRUCache&) = delete;
28
29 // Inserts one unit of |key|, |value| pair to the cache. Cache takes ownership
30 // of inserted |value|.
31 void Insert(const K& key, std::unique_ptr<V> value) {
32 auto it = cache_.find(key);
33 if (it != cache_.end()) {
34 cache_.erase(it);
35 }
36 cache_.emplace(key, std::move(value));
37
38 if (cache_.size() > capacity_) {
39 cache_.pop_front();
40 }
vasilvv5cef78e2021-01-30 11:11:14 -080041 QUICHE_DCHECK_LE(cache_.size(), capacity_);
QUICHE teama6ef0a62019-03-07 20:34:33 -050042 }
43
44 // If cache contains an entry for |key|, return a pointer to it. This returned
45 // value is guaranteed to be valid until Insert or Clear.
46 // Else return nullptr.
47 V* Lookup(const K& key) {
48 auto it = cache_.find(key);
49 if (it == cache_.end()) {
50 return nullptr;
51 }
52
53 std::unique_ptr<V> value = std::move(it->second);
54 cache_.erase(it);
55 auto result = cache_.emplace(key, std::move(value));
vasilvv5cef78e2021-01-30 11:11:14 -080056 QUICHE_DCHECK(result.second);
QUICHE teama6ef0a62019-03-07 20:34:33 -050057 return result.first->second.get();
58 }
59
60 // Removes all entries from the cache.
61 void Clear() { cache_.clear(); }
62
63 // Returns maximum size of the cache.
64 size_t MaxSize() const { return capacity_; }
65
66 // Returns current size of the cache.
67 size_t Size() const { return cache_.size(); }
68
69 private:
70 QuicLinkedHashMap<K, std::unique_ptr<V>> cache_;
71 const size_t capacity_;
72};
73
74} // namespace quic
75
76#endif // QUICHE_QUIC_CORE_QUIC_LRU_CACHE_H_