​LeetCode刷题实战536: 从字符串生成二叉树

  • Post author:
  • Post category:其他


算法的重要性,我就不多说了吧,想去大厂,就必须要经过基础知识和业务逻辑面试+算法面试。所以,为了提高大家的算法能力,这个公众号后续每天带大家做一道算法题,题目就从LeetCode上面选 !

今天和大家聊的问题叫做

从字符串生成二叉树

,我们先来看题面:

https://leetcode-cn.com/problems/construct-binary-tree-from-string/

ou need to construct a binary tree from a string consisting of parenthesis and integers.

The whole input represents a binary tree. It contains an integer followed by zero, one or two pairs of parenthesis. The integer represents the root’s value and a pair of parenthesis contains a child binary tree with the same structure.

You always start to construct the left child node of the parent first if it exists.

你需要从一个包括括号和整数的字符串构建一棵二叉树。

输入的字符串代表一棵二叉树。

它包括整数和随后的0,1或2对括号。

整数代表根的值,一对括号内表示同样结构的子树。

若存在左子结点,则从左子结点开始构建。


示例

示例:
输入: "4(2(3)(1))(6(5))"
输出: 返回代表下列二叉树的根节点:

       4
     / \
    2     6
   / \ / 
  3   1 5   
 

注意:
输入字符串中只包含 '(', ')', '-' 和 '0' ~ '9' 
空树由 "" 而非"()"表示。


解题



https://blog.csdn.net/qq_29051413/article/details/108814374

本题使用递归求解。根据题目示例的提示可知,字符串第一个左括号之前的数字是根节点,接着两个连续的最大括号(如果有)分别为左子树和右子树,对左右子树进行同样的递归操作即可,具体看代码。

class Solution {
    public TreeNode str2tree(String s) {
        if (s.length() == 0) return null;
        StringBuilder value = new StringBuilder();
        TreeNode root = new TreeNode();
        int start = -1; // 第一个左括号的位置
        // 确定根节点的权值
        for (int i = 0; i < s.length(); i++) {
            if (s.charAt(i) == '(') {
                root.val = Integer.parseInt(value.toString());
                start = i;
                break;
            }
            if (i == s.length() - 1) {
                value.append(s.charAt(i));
                root.val = Integer.parseInt(value.toString());
                return root;
            }
            value.append(s.charAt(i));
        }
        // 对左右子树递归求解
        int count = 1; // 遇到左括号则++,遇到右括号则--
        for (int i = start + 1; i < s.length(); i++) {
            if ('(' == s.charAt(i)) count++;
            if (')' == s.charAt(i)) count--;
            if (count == 0) {
                // 找到了左子树的区间
                root.left = str2tree(s.substring(start + 1, i));
                if (i != s.length() - 1) {
                    // 剩余的就是右子树的区间
                    root.right = str2tree(s.substring(i + 2, s.length() - 1));
                }
                break; // 左右子树整合完毕,结束
            }
        }
        return root;
    }
}

好了,今天的文章就到这里,如果觉得有所收获,请顺手点个

在看

或者转发吧,你们的支持是我最大的动力 。


上期推文:


LeetCode1-520题汇总,希望对你有点帮助!


LeetCode刷题实战521:最长特殊序列 Ⅰ


LeetCode刷题实战522:最长特殊序列 II


LeetCode刷题实战523:连续的子数组和


LeetCode刷题实战524:通过删除字母匹配到字典里最长单词


LeetCode刷题实战525:连续数组


LeetCode刷题实战526:优美的排列


LeetCode刷题实战527:单词缩写


LeetCode刷题实战528:按权重随机选择


LeetCode刷题实战529:扫雷游戏


LeetCode刷题实战530:二叉搜索树的最小绝对差


LeetCode刷题实战531:孤独像素 I


LeetCode刷题实战532:数组中的K-diff数对


LeetCode刷题实战533:孤独像素 II


LeetCode刷题实战534:游戏玩法分析 III


LeetCode刷题实战535:TinyURL 的加密与解密

976b6a9cfe9f8f868c6436607e4a416f.png