实例1:
输入:[1,2,4,3,7,8,9]
输出:[1,2,7,8,9]
条件一:左边的数都比他小
条件二:右边的数都不比他大
思路:遍历两次,一次从左往右,找到满足条件一的数,一次从后往前找到满足条件二的数,两次遍历中重复的数就是满足条件得数。
好那现在我们知道思路了代码该怎么写呢?
既然要遍历两次我们想到可以找一个容器,让它先来放满足条件一的数字,然后再取出来看是否满足条件二,这样的容器我们可以想到队列和栈。但是第二遍需要从后往前遍历很显然使用栈的出栈操作正好是从后往前遍历的过程所以我们就选择它了。
便利的时候我们记录下已经遍历过的最大的数字
1.将满足条件一的数入栈
2.每次遍历到新的数,就通过该数去判断,这个数是不是满足条件二,若不满足则,让栈中的数字出栈。
while(!midNumsStack.empty() && nums[i] <= midNumsStack.peek()){
midNumsStack.pop();
}
java
private static int[] midValue(int[] nums){
if(0 == nums.length) {return null;}
// 存储当前满足条件的值
Stack<Integer> midNumsStack = new Stack<>();
// 记录当前遍历过的最大值(新入栈的数必须不小于max)
int max = nums[0];
midNumsStack.push(nums[0]);
for(int i=1; i<nums.length; i++){
//判断满足条件一的数字是否满足条件二
while(!midNumsStack.empty() && nums[i] <= midNumsStack.peek()){
midNumsStack.pop();
}
if(nums[i] > max){
midNumsStack.push(nums[i]);
max = nums[i];
}
}
int[] result = new int[midNumsStack.size()];
int i = 0;
while(midNumsStack.size()>0){
result[i++] = midNumsStack.pop();
}
return result;
}
思考:找到数组所有左边数都比它大, 右边数都比它小的数
实例1:
输入:[9,8,7,3,4,2,1]
输出:[1,2,7,8,9]
实例2:输入:[3,3,1]
输出:[1]
java
private static int[] midValue1(int[] nums){
if(0 == nums.length) {return null;}
// 存储当前满足条件的值
Stack<Integer> midNumsStack = new Stack<>();
// 记录当前遍历过的最大值(新入栈的数必须不小于max)
int min = nums[0];
midNumsStack.push(nums[0]);
for(int i=1; i<nums.length; i++){
// 先检查新值num是否大于栈内元素, 否则栈内元素不满足条件
while(!midNumsStack.empty() && nums[i] >= midNumsStack.peek()){
midNumsStack.pop();
}
if(nums[i] < min){
midNumsStack.push(nums[i]);
min = nums[i];
}
}
int[] result = new int[midNumsStack.size()];
int i = 0;
while(midNumsStack.size()>0){
result[i++] = midNumsStack.pop();
}
return result;
}