你需要采用前序遍历的方式,将一个二叉树转换成一个由括号和整数组成的字符串。
空节点则用一对空括号 “()” 表示。而且你需要省略所有不影响字符串与原始二叉树之间的一对一映射关系的空括号对。
示例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 {
* public int val;
* public TreeNode left;
* public TreeNode right;
* public TreeNode(int x) { val = x; }
* }
*/
public class Solution {
StringBuilder str = new StringBuilder();
public string Tree2str(TreeNode t)
{
if (t!=null)
{
def(t);
}
return str.ToString();
}
public void def(TreeNode root)
{
if (root==null)
{
return;
}
str.Append(root.val);
if (root.left!=null|| root.right != null)
{
str.Append('(');
def(root.left);
str.Append(')');
}
if (root.right != null)
{
str.Append('(');
def(root.right);
str.Append(')');
}
}
}
执行结果
通过
执行用时:92 ms,在所有 C# 提交中击败了92.50%的用户
内存消耗:40.9 MB,在所有 C# 提交中击败了84.90%的用户
思路解析 可以使用递归的方法得到二叉树的前序遍历。在递归时,根据题目描述,我们需要加上额外的括号,会有以下 4 种情况:
虑完上面的 4 种情况,我们就可以得到最终的字符串。
代码:
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
public class Solution {
public String tree2str(TreeNode t) {
if(t==null)
return "";
if(t.left==null && t.right==null)
return t.val+"";
if(t.right==null)
return t.val+"("+tree2str(t.left)+")";
return t.val+"("+tree2str(t.left)+")("+tree2str(t.right)+")";
}
}
执行结果
通过
执行用时:15 ms,在所有 Java 提交中击败了44.08%的用户
内存消耗:40.1 MB,在所有 Java 提交中击败了24.40%的用户
复杂度分析
时间复杂度:O( n )
空间复杂度:O(n)
C#
和 Java
两种编程语言进行解题