blob: aa07eeea73cc4a851edf824c7cc9837f8dda2941 (
plain)
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
|
#include <vector>
#include <algorithm>
class MinStack
{
public:
/** initialize your data structure here. */
MinStack()
{
// Although I really think this is just a trick for this problem.
// Leetcode does not give the input size. So I just make a reasonable assumption.
data_.reserve(10000);
min_stack_.reserve(10000);
}
void push(int x)
{
data_.push_back(x);
if (min_stack_.empty())
{
min_stack_.push_back(x);
}
else
{
min_stack_.push_back(std::min(min_stack_.back(), x));
}
}
void pop()
{
data_.pop_back();
min_stack_.pop_back();
}
int top()
{
return data_.back();
}
int getMin()
{
return min_stack_.back();
}
private:
std::vector<int> data_;
std::vector<int> min_stack_;
};
|