Skip to content

Files

Latest commit

 

History

History
78 lines (54 loc) · 2.51 KB

331-verify-preorder-serialization-of-a-binary-tree.md

File metadata and controls

78 lines (54 loc) · 2.51 KB

331. Verify Preorder Serialization of a Binary Tree - 验证二叉树的前序序列化

序列化二叉树的一种方法是使用前序遍历。当我们遇到一个非空节点时,我们可以记录下这个节点的值。如果它是一个空节点,我们可以使用一个标记值记录,例如 #

     _9_
    /   \
   3     2
  / \   / \
 4   1  #  6
/ \ / \   / \
# # # #   # #

例如,上面的二叉树可以被序列化为字符串 "9,3,4,#,#,1,#,#,2,#,6,#,#",其中 # 代表一个空节点。

给定一串以逗号分隔的序列,验证它是否是正确的二叉树的前序序列化。编写一个在不重构树的条件下的可行算法。

每个以逗号分隔的字符或为一个整数或为一个表示 null 指针的 '#'

你可以认为输入格式总是有效的,例如它永远不会包含两个连续的逗号,比如 "1,,3"

示例 1:

输入: "9,3,4,#,#,1,#,#,2,#,6,#,#"
输出: true

示例 2:

输入: "1,#"
输出: false

示例 3:

输入: "9,#,#,1"
输出: false

题目标签:Stack

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
cpp 0 ms 868.4 KB
class Solution {
public:
    bool valid(const string& s, int len, int& pos) {
        if (pos >= len) {
            return false;
        }
        if (isdigit(s[pos])) {
            while (pos < len && isdigit(s[++pos])) ;
            return valid(s, len, ++pos) and valid(s, len, ++pos);
        } else {
            return s[pos++] == '#';
        }
    }

    bool isValidSerialization(string preorder) {
        int pos = 0;
        int len = preorder.size();
        return valid(preorder, len, pos) && pos == len;
    }
};
static auto _ = [](){ ios::sync_with_stdio(false); cin.tie(nullptr); return 0; }();