150. 逆波兰表达式求值
题目链接/文章讲解/视频讲解:代码随想录
class Solution {
public:
int evalRPN(vector<string>& tokens) {
stack<long long> st;
for (int i = 0; i < tokens.size(); i++) {
if (tokens[i] == "+" || tokens[i] == "-" || tokens[i] == "*" || tokens[i] == "/") {
long long num1 = st.top();
st.pop();
long long num2 = st.top();
st.pop();
if (tokens[i] == "+") st.push(num2 + num1);
if (tokens[i] == "-") st.push(num2 - num1);
if (tokens[i] == "*") st.push(num2 * num1);
if (tokens[i] == "/") st.push(num2 / num1);
} else {
st.push(stoll(tokens[i]));
}
}
int result = st.top();
st.pop();
return result;
}
};
其实就是定义一个栈,用for循环遍历数组判断当前元素是否是数还是+-*/如果是则取两个栈顶进行运算之后再进栈就行
239. 滑动窗口最大值
题目链接/文章讲解/视频讲解:代码随想录
class Solution {
private:
class MyQueue {
public:
deque<int> que;
void pop(int value) {
if (!que.empty() && value == que.front()) {
que.pop_front();
}
}
void push(int value) {
while (!que.empty() && value > que.back()) {
que.pop_back();
}
que.push_back(value);
}
int front() {
return que.front();
}
};
public:
vector<int> maxSlidingWindow(vector<int>& nums, int k) {
MyQueue que;
vector<int> result;
for (int i = 0; i < k; i++) {
que.push(nums[i]);
}
result.push_back(que.front());
for (int i = k; i < nums.size(); i++) {
que.pop(nums[i - k]);
que.push(nums[i]);
result.push_back(que.front());
}
return result;
}
};
其实就是判断入队的时候需要进行判断首先判断队是否为空如果不为空弹出,如果插入元素大于栈顶元素则弹出最后插入,弹出需要判断弹出的元素是否是自己需要弹出的那个如果不是则不弹,最后则是先进行一个for循环将前k个元素插入栈中,最后的for循环就是起点为k,然后k<数组的大小k++for循环里面就是插入以及弹出最后用数组记录栈顶元素
347.前 K 个高频元素
题目链接/文章讲解/视频讲解:代码随想录
class Solution {
public:
class mycomparison {
public:
bool operator()(const pair<int, int>& lhs, const pair<int, int>& rhs) {
return lhs.second > rhs.second;
}
};
vector<int> topKFrequent(vector<int>& nums, int k) {
unordered_map<int, int> map;
for (int i = 0; i < nums.size(); i++) {
map[nums[i]]++;
}
priority_queue<pair<int, int>, vector<pair<int, int>>, mycomparison> pri_que;
for (unordered_map<int, int>::iterator it = map.begin(); it != map.end(); it++) {
pri_que.push(*it);
if (pri_que.size() > k) {
pri_que.pop();
}
}
vector<int> result(k);
for (int i = k - 1; i >= 0; i--) {
result[i] = pri_que.top().first;
pri_que.pop();
}
return result;
}
};
首先定义一个小顶堆之后再定义一个map哈希表记录数组元素里面的数组元素以及出现次数之后将哈希表的两个键值对插入到小顶堆小顶堆会自动排序这个时候需要判断小顶堆的大小是否超过了k超过了就弹出最后通过for循环来进行接收小顶堆的值就行