-
Notifications
You must be signed in to change notification settings - Fork 1
/
LC1146.cpp
83 lines (63 loc) · 2.16 KB
/
LC1146.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
/*
1146. Snapshot Array
Implement a SnapshotArray that supports the following interface:
SnapshotArray(int length) initializes an array-like data structure with the given length. Initially, each element equals 0.
void set(index, val) sets the element at the given index to be equal to val.
int snap() takes a snapshot of the array and returns the snap_id: the total number of times we called snap() minus 1.
int get(index, snap_id) returns the value at the given index, at the time we took the snapshot with the given snap_id
Example 1:
Input: ["SnapshotArray","set","snap","set","get"]
[[3],[0,5],[],[0,6],[0,0]]
Output: [null,null,0,null,5]
Explanation:
SnapshotArray snapshotArr = new SnapshotArray(3); // set the length to be 3
snapshotArr.set(0,5); // Set array[0] = 5
snapshotArr.snap(); // Take a snapshot, return snap_id = 0
snapshotArr.set(0,6);
snapshotArr.get(0,0); // Get the value of array[0] with snap_id = 0, return 5
*/
class SnapshotArray {
std::vector<std::vector<pair<int, int>>> snapShotBuffer;
int snap_id = 0;
public:
SnapshotArray(int length)
{
ios_base::sync_with_stdio(false);
cin.tie(NULL);
snapShotBuffer.resize(length);
}
void set(int index, int val)
{
auto& idx_record = snapShotBuffer[index];
if (!idx_record.empty() && idx_record.back().second == snap_id)
{
idx_record.back().first = val;
}
else
idx_record.push_back({val, snap_id});
}
int snap()
{
snap_id++;
return snap_id - 1;
}
int get(int index, int snap_id)
{
auto& idx_recs = snapShotBuffer[index];
if (idx_recs.empty())
return 0;
if (snap_id < idx_recs[0].second)
return 0;
int left = 0;
int right = idx_recs.size();
while (right - left > 1)
{
int middle = (left + right) / 2;
if (idx_recs[middle].second <= snap_id)
left = middle;
else
right = middle;
}
return idx_recs[left].first;
}
};