当前位置:   article > 正文

LRU缓存(最近最少使用) 力扣146_力扣146题 map.size

力扣146题 map.size

题目:

题目链接:(题目来源:力扣(LeetCode),非商业转载,仅供自己学习记录笔记使用)

https://leetcode.cn/problems/lru-cache/

题目内容:

请你设计并实现一个满足  LRU (最近最少使用) 缓存 约束的数据结构。
实现 LRUCache 类:
LRUCache(int capacity) 以 正整数 作为容量 capacity 初始化 LRU 缓存
int get(int key) 如果关键字 key 存在于缓存中,则返回关键字的值,否则返回 -1 。
void put(int key, int value) 如果关键字 key 已经存在,则变更其数据值 value ;如果不存在,则向缓存中插入该组 key-value 。如果插入操作导致关键字数量超过 capacity ,则应该 逐出 最久未使用的关键字。
函数 get 和 put 必须以 O(1) 的平均时间复杂度运行。

题解:JAVA语言

方法1:

用有序的并且可以存储键值对的数据结构LinkedHashMap进行存储和删除

代码:

  1. class LRUCache {
  2. LinkedHashMap<Integer,Integer> map;
  3. int length;
  4. public LRUCache(int capacity) {
  5. length = capacity;
  6. map = new LinkedHashMap<Integer,Integer>(capacity);
  7. }
  8. public int get(int key) {
  9. int value = map.get(key)==null?-1:map.get(key);
  10. if (value != -1){
  11. map.remove(key);
  12. map.put(key,value);
  13. }
  14. return value;
  15. }
  16. public void put(int key, int value) {
  17. if (get(key) == -1){
  18. if (map.size()!=length){
  19. map.put(key,value);
  20. }else {
  21. map.remove(map.entrySet().iterator().next().getKey());
  22. map.put(key,value);
  23. }
  24. }else {
  25. map.remove(key);
  26. map.put(key,value);
  27. }
  28. }
  29. }

方法2:

用无序键值对数据结构HashMap存储最近访问的内容,再搞一个有序的队列集合存储最近访问的内容的顺序

代码:

  1. class LRUCache {
  2. Map<Integer,Integer> map;
  3. LinkedList<Integer> queue;
  4. int length;
  5. public LRUCache(int capacity) {
  6. length = capacity;
  7. map = new HashMap<>(capacity);
  8. queue = new LinkedList<Integer>();
  9. }
  10. public int get(int key) {
  11. int value = map.get(key)==null?-1:map.get(key);
  12. if (value != -1){
  13. queue.remove((Object)key);
  14. queue.add(key);
  15. }
  16. return value;
  17. }
  18. public void put(int key, int value) {
  19. if (queue.contains(key)){
  20. queue.remove((Object)key);
  21. queue.add(key);
  22. }else {
  23. if (queue.size()!= length){
  24. queue.add(key);
  25. }else {
  26. map.remove(queue.poll());
  27. queue.add(key);
  28. }
  29. }
  30. map.put(key,value);
  31. }
  32. }

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小蓝xlanll/article/detail/491702
推荐阅读
相关标签
  

闽ICP备14008679号