列表

详情


1656. 设计有序流

n(id, value) 对,其中 id1n 之间的一个整数,value 是一个字符串。不存在 id 相同的两个 (id, value) 对。

设计一个流,以 任意 顺序获取 n 个 (id, value) 对,并在多次调用时 id 递增的顺序 返回一些值。

实现 OrderedStream 类:

 

示例:

输入
["OrderedStream", "insert", "insert", "insert", "insert", "insert"]
[[5], [3, "ccccc"], [1, "aaaaa"], [2, "bbbbb"], [5, "eeeee"], [4, "ddddd"]]
输出
[null, [], ["aaaaa"], ["bbbbb", "ccccc"], [], ["ddddd", "eeeee"]]

解释
OrderedStream os= new OrderedStream(5);
os.insert(3, "ccccc"); // 插入 (3, "ccccc"),返回 []
os.insert(1, "aaaaa"); // 插入 (1, "aaaaa"),返回 ["aaaaa"]
os.insert(2, "bbbbb"); // 插入 (2, "bbbbb"),返回 ["bbbbb", "ccccc"]
os.insert(5, "eeeee"); // 插入 (5, "eeeee"),返回 []
os.insert(4, "ddddd"); // 插入 (4, "ddddd"),返回 ["ddddd", "eeeee"]

 

提示:

原站题解

去查看

上次编辑到这里,代码来自缓存 点击恢复默认模板
class OrderedStream { public: OrderedStream(int n) { } vector<string> insert(int idKey, string value) { } }; /** * Your OrderedStream object will be instantiated and called as such: * OrderedStream* obj = new OrderedStream(n); * vector<string> param_1 = obj->insert(idKey,value); */

golang 解法, 执行用时: 100 ms, 内存消耗: 7.4 MB, 提交时间: 2021-06-09 17:10:35

type OrderedStream struct {
    mp map[int]string
    ptr int
}


func Constructor(n int) OrderedStream {
    return OrderedStream{
        mp: make(map[int]string, n),
        ptr:1,
    }
}


func (this *OrderedStream) Insert(idKey int, value string) []string {
    ans := []string{}
    this.mp[idKey] = value
    s, ok := this.mp[this.ptr]
    for ok {
        ans = append(ans, s)
        this.ptr++
        s, ok = this.mp[this.ptr]
    }

    return ans
}


/**
 * Your OrderedStream object will be instantiated and called as such:
 * obj := Constructor(n);
 * param_1 := obj.Insert(idKey,value);
 */

上一题