LeetCode 331. 验证二叉树的前序序列化
原题链接
中等
作者:
GRID
,
2021-03-12 22:08:42
,
所有人可见
,
阅读 340
分析
- 如果遇到数字,说明其不是叶子节点,继续往下递归
- 如果遇到’#’,说明其是一个叶子节点,当前下标id+2往下递归
C++ 代码
class Solution {
public:
string s;
int id=0;
bool isValidSerialization(string preorder) {
s=preorder+',';
if(!dfs()) return false;
return id==s.size();
}
bool dfs()
{
if(id==s.size()) return false; //在还未完成递归的时候发现id==s.size()即字符串遍历完了,说明不是合法前序
if(s[id]=='#')
{
id+=2;
return true;
}
while(s[id]!=',') id++; //用while循环将所有的数字都跳过
id++; //将','跳过
return dfs() && dfs(); //递归左子树 && 右子树
}
};