Leetcode 844. 比较含退格的字符串
思路
用两个栈:将字符串入栈,若是#则将栈里的字符出栈,之后再比较栈内元素是否相等。
代码
bool backspaceCompare(string S, string T) {
stack<char> st1, st2;
//将两个字符串入栈
for(int i=0;i<S.length();i++){
if(S[i]!='#') st1.push(S[i]); //字符入栈
else{
if(!st1.empty()) st1.pop(); //遇到#且栈不为空则出栈
else continue;
}
}
for(int j=0;j<T.length();j++){
if(T[j]!='#') st2.push(T[j]);
else{
if(!st2.empty()) st2.pop();
else continue;
}
}
//比较两个栈里的元素,若相等则都出栈,若不等则跳出循环
while(!st1.empty() && !st2.empty()){
if(st1.top()==st2.top()){
st1.pop();
st2.pop();
}
else break;
}
//最后看两个栈是否都为空,若是则相等
if(st1.empty() && st2.empty()) return true;
else return false;
}
总结
看解题里好像可以不用栈,直接用字符串就能解决