LRU快取-實現雜湊連結串列結合

沙揚娜拉的裙裾發表於2020-09-26
class LRUCache {
private:
    int cap;
    list<pair<int ,int>> cache;
    unordered_map<int,list<pair<int,int>>::iterator> map;

public:
    LRUCache(int capacity) {
        cap = capacity;
    }

    int get(int key) {
        if(!map.count(key)){//沒找到
            return -1;
        }
        auto key_value = map[key];//huoqu連結串列地址
        cache.erase(key_value);//刪除對應的pair,傳遞的引數是值
        cache.push_front(*key_value);//插入到連結串列頭,傳的引數是連結串列地址
        map[key] = cache.begin();//連結串列頭
        return key_value->second;
    }

    void put(int key, int value) {
        if(!map.count(key)) {
            if (cache.size() == cap) {
                map.erase(cache.back().first);
                cache.pop_back();
            }
        }else{
            cache.erase(map[key]);
        }
            cache.push_front({key,value});
            map[key]=cache.begin();
    }
};


/**
 * Your LRUCache object will be instantiated and called as such:
 * LRUCache* obj = new LRUCache(capacity);
 * int param_1 = obj->get(key);
 * obj->put(key,value);
 */

list是雙向連結串列,從頭插入程式碼 cache.push_front(make_pair<int,int>(key,value));

cache.erase()//引數是迭代器位置,也就是指標,地址,

cache.pop_back()//從尾部刪除一個節點

cache.pop_font()//從頭部刪除一個節點

cache.insert(迭代器位置,元素)//在迭代器位置之前插入一個元素

hashmap的函式:

map.count(key);//如果找到了返回1,沒找到返回0

map[key]=valie;//直接fuzhi

map.erase(key);//根據key刪除元素。

相關文章