剑指 Offer 31. 栈的压入、弹出序列 思路与代码
作者:互联网
思路:模拟栈弹出的过程。通过popped数组监控栈的情况。如图中实例2,栈第一个弹出的元素是4,那么就把pushed中的指针移到5的下方。把1,2,3,4都放入栈中。再判断下一位popped【i】与栈顶元素相同吗?
如果不相同,就让pushed的下标往后移,同时把元素加入栈,直到遇到与popped【i】相等的数,或者到达数组边界为止。
如果相同,就pop()该元素,继续循环。
循环结束,判断栈是否为空,如果为空,说明按照规则弹出加入,返回true。如果不为空,那么就说明违反规则了,返回false。
class Solution {
public boolean validateStackSequences(int[] pushed, int[] popped) {
if(pushed==null||pushed.length==0||popped==null||popped.length==0){
return true;
}
int index=0;
Stack<Integer> s1 = new Stack<Integer>();
//对弹出序列进行分析。
for(int i = 0 ; i<popped.length;i++){
int num=popped[i];
if(!s1.empty() && s1.peek()==num){
s1.pop();
continue;
}
while(index<popped.length && pushed[index]!=num){
s1.push(pushed[index]);
index++;
}
if(index<popped.length){
index++;
}
}
if(s1.empty()){
return true;
}else{
return false;
}
}
}
标签:popped,压入,Offer,int,31,元素,pushed,为空,null 来源: https://blog.csdn.net/dada032/article/details/121460990