一、什么是LRU
最近最少使用的内存管理算法
长期不被使用的数据,在未来被使用的概率也不大,所以当内存达到一定的交换阈值,会将最近最少使用的数据移除。
二、使用方法
采用哈希表和双向链表结合方式,使得访问数据。插入数据的效率达到O(1)。
哈希表: unordered_map<int,list<int,pair<int,int>::iterator> 链表: list<pair<int,int>>
采用哈希表可以使得查找效率达到O(1) ,哈希表的第二个值存储链表的迭代器
三、代码(内有注释)
class LRUCache {
public:
LRUCache(int capacity) {
_capacity=capacity;
}
int get(int key) {
auto umit=_hashMap.find(key);
if(umit!=_hashMap.end()){
LRU_LST_IT listIt=umit->second;
int value=listIt->second;
_listCache.splice(_listCache.end(),_listCache,listIt);
return value;
}else{
return -1;
}
}
void put(int key, int value) {
auto umit=_hashMap.find(key);
if(umit!=_hashMap.end()){
LRU_LST_IT ltIt=umit->second;
ltIt->second=value;
_listCache.splice(_listCache.end(),_listCache,umit->second);
}else{
if(_listCache.size()==_capacity){
_hashMap.erase(_listCache.front().first);
_listCache.pop_front();
}
_listCache.push_back(make_pair(key,value));
_hashMap[key]=--_listCache.end();
}
}
private:
typedef list<std::pair<int,int>>::iterator LRU_LST_IT;
typedef std::pair<int,int> LRU_LST;
list<LRU_LST> _listCache;
unordered_map<int,LRU_LST_IT> _hashMap;
int _capacity;
};
|