leetcode 中等(设计):[146, 155, 208, 211, 284, 304, 307, 341, 355, 380]
146. LRU 缓存
var LRUCache = function (capacity) {
this.capacity = capacity;
this.map = new Map();
};
LRUCache.prototype.get = function (key) {
if (this.map.has(key)) {
let value = this.map.get(key);
this.map.delete(key);
this.map.set(key, value);
return value;
}
return -1;
};
LRUCache.prototype.put = function (key, value) {
this.map.delete(key);
this.map.set(key, value);
if (this.map.size > this.capacity) {
this.map.delete(this.map.keys().next().value);
}
};
155. 最小栈
var MinStack = function () {
this.data = [];
};
MinStack.prototype.push = function (val) {
this.data.push(val);
};
MinStack.prototype.pop = function () {
this.data.pop();
};
MinStack.prototype.top = function () {
return this.data[this.data.length - 1];
};
MinStack.prototype.getMin = function () {
return Math.min(...this.data);
};
208. 实现 Trie (前缀树)
var Trie = function () {
this.data = {};
};
Trie.prototype.insert = function (word) {
this.data[word] = word;
};
Trie.prototype.search = function (word) {
return !!this.data[word];
};
Trie.prototype.startsWith = function (prefix) {
for (const key in this.data) {
if (this.data[key].startsWith(prefix)) {
return true;
}
}
return false;
};
211. 添加与搜索单词 - 数据结构设计
var WordDictionary = function () {
this.data = {};
};
WordDictionary.prototype.addWord = function (word) {
if (!this.data[word.length]) {
// 键为单词长度,值为同长度的单词集合
this.data[word.length] = [];
}
this.data[word.length].push(word);
};
WordDictionary.prototype.search = function (word) {
const len = word.length;
if (!this.data[len]) return false;
if (!word.includes(".")) return this.data[len].includes(word); // 普通字符串,直接从等长单词集合中查找即可
// 否则是正则表达式,先创建正则表达式对象
const reg = new RegExp(word);
return this.data[len].some((item) => reg.test(item));
};
284. 顶端迭代器
var PeekingIterator = function (iterator) {
this.data = [];
while (iterator.hasNext()) this.data.push(iterator.next());
this.index = 0;
this.size = this.data.length;
};
PeekingIterator.prototype.peek = function () {
return this.data[this.index];
};
PeekingIterator.prototype.next = function () {
return this.data[this.index++];
};
PeekingIterator.prototype.hasNext = function () {
return this.index < this.size;
};
304. 二维区域和检索 - 矩阵不可变
var NumMatrix = function (matrix) {
this.data = matrix;
};
NumMatrix.prototype.sumRegion = function (row1, col1, row2, col2) {
let sum = 0;
for (let i = row1; i <= row2; i++) {
for (let j = col1; j <= col2; j++) {
sum += this.data[i][j];
}
}
return sum;
};
307. 区域和检索 - 数组可修改
var NumArray = function (nums) {
this.data = nums;
};
NumArray.prototype.update = function (index, val) {
this.data[index] = val;
};
NumArray.prototype.sumRange = function (left, right) {
let sum = 0;
for (let i = left; i <= right; i++) {
sum += this.data[i];
}
return sum;
};
341. 扁平化嵌套列表迭代器
// 方法一:
var NestedIterator = function (nestedList) {
this.list = [];
this.traverse(nestedList);
};
NestedIterator.prototype.traverse = function (arr) {
for (let i = 0; i < arr.length; i++) {
if (arr[i].isInteger()) {
this.list.push(arr[i].getInteger()); // 是Integer
} else {
this.traverse(arr[i].getList()); // 是List,递归调用
}
}
};
NestedIterator.prototype.hasNext = function () {
return this.list.length > 0;
};
NestedIterator.prototype.next = function () {
return this.list.shift();
};
// 方法二:
var NestedIterator_1 = function (nestedList) {
this.list = nestedList
.toString()
.split(",")
.filter((val) => {
return val != "";
});
};
NestedIterator_1.prototype.toString = function () {
if (this.isInteger()) {
return this.getInteger() + "";
} else {
return this.getList().toString();
}
};
NestedIterator_1.prototype.hasNext = function () {
return this.list.length > 0;
};
NestedIterator_1.prototype.next = function () {
return this.list.shift();
};
355. 设计推特
var Twitter = function () {
this.tweets = {};
this.user = {};
this.time = 0;
};
Twitter.prototype.postTweet = function (userId, tweetId) {
if (!this.tweets[userId]) {
this.tweets[userId] = [];
}
this.tweets[userId].push({ tweetId, twitTime: this.time++ });
};
Twitter.prototype.getNewsFeed = function (userId) {
let followsId = Array.from(this.user[userId] || {});
followsId.push(userId);
const allTwitters = followsId
.reduce((prev, next) => prev.concat(this.tweets[next] || []), [])
.sort((a, b) => b.twitTime - a.twitTime)
.map((item) => item.tweetId);
return Array.from(new Set(allTwitters)).slice(0, 10);
};
Twitter.prototype.follow = function (followerId, followeeId) {
if (!this.user[followerId]) {
this.user[followerId] = new Set();
}
this.user[followerId].add(followeeId);
};
Twitter.prototype.unfollow = function (followerId, followeeId) {
if (this.user[followerId]) {
this.user[followerId].delete(followeeId);
}
};
380. O(1) 时间插入、删除和获取随机元素
var RandomizedSet = function () {
this.data = new Set();
};
RandomizedSet.prototype.insert = function (val) {
if (this.data.has(val)) {
return false;
} else {
this.data.add(val);
return true;
}
};
RandomizedSet.prototype.remove = function (val) {
return this.data.delete(val);
};
RandomizedSet.prototype.getRandom = function () {
let random = Math.floor(Math.random() * this.data.size);
return Array.from(this.data)[random];
};
leetcode 中等(设计):[146, 155, 208, 211, 284, 304, 307, 341, 355, 380]的更多相关文章
- 【LeetCode】设计题 design(共38题)
链接:https://leetcode.com/tag/design/ [146]LRU Cache [155]Min Stack [170]Two Sum III - Data structure ...
- leetcode中等题
# Title Solution Acceptance Difficulty Frequency 1 Two Sum 44.5% Easy 2 Add Two Number ...
- <Trie> 208 211
208. Implement Trie (Prefix Tree) class TrieNode{ private char val; public boolean isWord; public Tr ...
- LeetCode No.145,146,147
No.145 PostorderTraversal 二叉树的后序遍历 题目 给定一个二叉树,返回它的 后序 遍历. 进阶: 递归算法很简单,你可以通过迭代算法完成吗? 示例 输入: [1,null,2 ...
- LeetCode 中等题解(2)
31 下一个排列 Question 实现获取下一个排列的函数,算法需要将给定数字序列重新排列成字典序中下一个更大的排列. 如果不存在下一个更大的排列,则将数字重新排列成最小的排列(即升序排列). 必须 ...
- leetcode 中等题(2)
50. Pow(x, n) (中等) double myPow(double x, int n) { ; unsigned long long p; ) { p = -n; x = / x; } el ...
- leetcode 中等题(1)
2. Add Two Numbers(中等) /** * Definition for singly-linked list. * struct ListNode { * int val; * Lis ...
- LeetCode 刷题笔记 155. 最小栈(Min Stack)
tag: 栈(stack) 题目描述 设计一个支持 push,pop,top 操作,并能在常数时间内检索到最小元素的栈. push(x) -- 将元素 x 推入栈中. pop() -- 删除栈顶的元素 ...
- LeetCode 622——设计循环队列
1. 题目 设计你的循环队列实现. 循环队列是一种线性数据结构,其操作表现基于 FIFO(先进先出)原则并且队尾被连接在队首之后以形成一个循环.它也被称为"环形缓冲器". 循环队列 ...
- 领扣(LeetCode)设计哈希映射 个人题解
不使用任何内建的哈希表库设计一个哈希映射 具体地说,你的设计应该包含以下的功能 put(key, value):向哈希映射中插入(键,值)的数值对.如果键对应的值已经存在,更新这个值. get(key ...
随机推荐
- AIRIOT答疑第5期|如何使用低代码业务流引擎?
推拉拽! AIRIOT平台业务流引擎可创建丰富的业务流程,实现从流程定义.数据处理.任务工单.消息通知.日志追踪的闭环流转.多类型节点任意组合,可视化流程日志,精准追踪流程流转.人工任务统一管理,审批 ...
- 导入使用es
from django.shortcuts import render, HttpResponsefrom elasticsearch import Elasticsearchfrom elastic ...
- Redis高可用二( 哨兵sentinel)
Redis高可用二( 哨兵sentinel) 1.主从配置 2.配置哨兵 sentinel.conf # Example sentinel.conf bind 0.0.0.0 protected-mo ...
- Java8 Lambda表达式入门
可能很多人都听说过java8的新特性----Lambada表达式,但可能很多人都不知道Lambda表达式到底有什么用,下面我带大家理解一下Lambada表达式. 在平时的编程中,我们常常会用到匿名内部 ...
- Django模型层Models的使用步骤
1.安装pymysql(这里使用MySQL数据库) pip install pymysql 2.在Django的工程同名子目录的__init__.py文件中添加如下语句 from pymysql im ...
- zabbix笔记_003 配置微信告警
配置邮件告警 安装python-requests,使用微信发送告警 发送告警报错: yum install -y python-requests 测试告警: cat weixin.py #------ ...
- .NET Core Configuration 配置项知识点一网打尽!
控制台项目中,演示示例 1.自定义 Dictionary Config 内存字典模式 dotnet add package Microsoft.Extensions.Configuration IC ...
- LeetCode 460. LFU Cache LFU缓存 (C++/Java)
题目: Design and implement a data structure for Least Frequently Used (LFU)cache. It should support th ...
- java并发编程——CompletableFuture
简介 Java的java.util.concurrent包中提供了并发相关的接口和类,本文将重点介绍CompletableFuture并发操作类 JDK1.8新增CompletableFuture该类 ...
- HDU2062题解 01背包而已
RT,我就不解释了,题目连接http://acm.hdu.edu.cn/showproblem.php?pid=2602. 初学01背包的人可以做做 #include<iostream> ...