题目:
你需要采用前序遍历的方式,将一个二叉树转换成一个由括号和整数组成的字符串。
空节点则用一对空括号 "()" 表示。而且你需要省略所有不影响字符串与原始二叉树之间的一对一映射关系的空括号对。
示例 1:
输入: 二叉树: [1,2,3,4] 1 / \ 2 3 / 4 输出: "1(2(4))(3)" 解释: 原本将是“1(2(4)())(3())”, 在你省略所有不必要的空括号对之后, 它将是“1(2(4))(3)”。
示例 2:
输入: 二叉树: [1,2,3,null,4] 1 / \ 2 3 \ 4 输出: "1(2()(4))(3)" 解释: 和第一个示例相似, 除了我们不能省略第一个对括号来中断输入和输出之间的一对一映射关系。
解题思路:
使用递归处理每个节点的字符串化。
代码实现:
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ class Solution { public String tree2str(TreeNode t) { if (t == null) return ""; String s = ""; if (t.left == null && t.right != null) s = t.val + "()" + helper(t.right); else s = t.val + helper(t.left) + helper(t.right); return s; } public String helper(TreeNode t) { if (t == null) return ""; if (t.left == null && t.right != null) return "(" + t.val + "()" + helper(t.right) + ")"; return "(" + t.val + helper(t.left) + helper(t.right) + ")"; } }
本文介绍了一种算法,该算法通过递归方式将二叉树转换为由括号和整数组成的字符串,同时省略了不影响一对一映射的空节点括号。提供了具体的代码实现,并附带两个示例帮助理解。
326

被折叠的 条评论
为什么被折叠?



