标签:des style blog color 使用 os io for
Design and implement a data structure for Least Recently Used (LRU) cache. It should support the following operations: get
and set
.
get(key)
- Get the value (will always be positive) of the key if the
key exists in the cache, otherwise return -1.
set(key, value)
- Set or insert the value if the key is not already
present. When the cache reached its capacity, it should invalidate the least recently used item before inserting a new item.
实现LRU策略
1. 依据key取value
2. 插入key-value时,须要删除LRU的item
struct Node{ int key; int val; Node*prev; Node*next; Node(int k, int v): key(k), val(v){ prev=NULL; next=NULL; } }; class LRUCache{ private: Node* head; Node* tail; int capacity; map<int, Node*>cache; public: LRUCache(int capacity) { this->head = NULL; this->tail = NULL; this->capacity = capacity; } void move2tail(Node* node){ if(node==tail)return; if(node==head){ head = node->next; head->prev=NULL; tail->next=node; node->prev=tail; tail=node; tail->next=NULL; } else{ node->prev->next = node->next; node->next->prev = node->prev; tail->next=node; node->prev=tail; tail=node; tail->next=NULL; } } int get(int key) { if(this->cache.find(key)==this->cache.end())return -1; move2tail(this->cache[key]); return this->cache[key]->val; } void set(int key, int value) { if(this->cache.find(key)==this->cache.end()){//cache中还没有 if(this->capacity==0){//cache已经满了 //删除头结点 this->cache.erase(head->key); head=head->next; if(head)head->prev=NULL; else tail=NULL; } else{//cache还没满 this->capacity--; } //加入新节点 Node* newNode=new Node(key, value); this->cache[key]=newNode; if(tail){ tail->next=newNode; newNode->prev=tail; tail=newNode; tail->next=NULL; } else{ head=tail=newNode; } } else{//cache中已经有了 this->cache[key]->val = value; move2tail(this->cache[key]); } } };
LeetCode: LRU Cache [146],布布扣,bubuko.com
标签:des style blog color 使用 os io for
原文地址:http://www.cnblogs.com/mengfanrong/p/3890809.html