LC 1656. 设计有序流
题目描述
这是 LeetCode 上的 1656. 设计有序流 ,难度为 简单。
有 n
个 (id, value)
对,其中 id
是 1
到 n
之间的一个整数,value
是一个字符串。不存在 id
相同的两个 (id, value)
对。
设计一个流,以任意顺序获取 n
个 (id, value)
对,并在多次调用时按 id
递增的顺序返回一些值。
实现 OrderedStream
类:
OrderedStream(int n)
构造一个能接收n
个值的流,并将当前指针ptr
设为1
。String[] insert(int id, String value)
向流中存储新的(id, value)
对。存储后:- 如果流存储有
id = ptr
的(id, value)
对,则找出从id = ptr
开始的 最长id
连续递增序列 ,并 按顺序 返回与这些id
关联的值的列表。然后,将ptr
更新为最后那个id + 1
。 - 否则,返回一个空列表。
- 如果流存储有
示例:
1 |
|
提示:
- $1 <= n <= 1000$
- $1 <= id <= n$
- $value.length = 5$
value
仅由小写字母组成- 每次调用
insert
都会使用一个唯一的id
- 恰好调用
n
次insert
模拟
根据题意进行模拟即可。
Java 代码:1
2
3
4
5
6
7
8
9
10
11
12
13
14class OrderedStream {
String[] ss = new String[1010];
int idx, n;
public OrderedStream(int _n) {
Arrays.fill(ss, "");
idx = 1; n = _n;
}
public List<String> insert(int key, String value) {
ss[key] = value;
List<String> ans = new ArrayList<>();
while (ss[idx].length() == 5) ans.add(ss[idx++]);
return ans;
}
}
TypeScript 代码:1
2
3
4
5
6
7
8
9
10
11
12
13
14class OrderedStream {
ss: string[]
idx: number; n: number;
constructor(_n: number) {
this.idx = 1; this.n = _n;
this.ss = new Array<string>(1010).fill("")
}
insert(key: number, value: string): string[] {
this.ss[key] = value
const ans = new Array<string>()
while (this.ss[this.idx].length == 5) ans.push(this.ss[this.idx++])
return ans
}
}
- 时间复杂度:$O(n)$
- 空间复杂度:$O(n)$
加餐
加餐一道近期笔试题 : 近期面试原题(简单计算几何运用)🎉 🎉
最后
这是我们「刷穿 LeetCode」系列文章的第 No.1656
篇,系列开始于 2021/01/01,截止于起始日 LeetCode 上共有 1916 道题目,部分是有锁题,我们将先把所有不带锁的题目刷完。
在这个系列文章里面,除了讲解解题思路以外,还会尽可能给出最为简洁的代码。如果涉及通解还会相应的代码模板。
为了方便各位同学能够电脑上进行调试和提交代码,我建立了相关的仓库:https://github.com/SharingSource/LogicStack-LeetCode 。
在仓库地址里,你可以看到系列文章的题解链接、系列文章的相应代码、LeetCode 原题链接和其他优选题解。
本博客所有文章除特别声明外,均采用 CC BY-SA 4.0 协议 ,转载请注明出处!