Construct String from Binary Tree
💻 coding

Construct String from Binary Tree

1 min read 236 words
1 min read
ShareWhatsAppPost on X
  • 1Construct a string from a binary tree using preorder traversal with parentheses and integers.
  • 2Null nodes are represented by empty parentheses, but unnecessary pairs are omitted to maintain mapping.
  • 3The solution has a time complexity of O(n) and a space complexity of O(n).

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"Construct a string from a binary tree using preorder traversal with parentheses and integers."

Construct String from Binary Tree

You need to construct a string consists of parenthesis and integers from a binary tree with the preorder traversing way.

The null node needs to be represented by an empty parenthesis pair "()". And you need to omit all the empty parenthesis pairs that don't affect the one-to-one mapping relationship between the string and the original binary tree.

Example 1:

Input: Binary tree: [1,2,3,4]

 1

 / \

 2 3

 / 

 4 

Output: "1(2(4))(3)"

Explanation: Originally it needs to be "1(2(4)())(3()())", 

but you need to omit all the unnecessary empty parenthesis pairs. 

And it will be "1(2(4))(3)".

Example 2:

Input: Binary tree: [1,2,3,null,4]

 1

 / \

 2 3

 \ 

 4 

Output: "1(2()(4))(3)"

Explanation: Almost the same as the first example,

except we can't omit the first parenthesis pair to break the one-to-one mapping relationship between the input and the output.

Solution:

using System;
using System.Collections.Generic;
using System.Text;

namespace LeetCode.AskGif.Easy.String
{ 
 public class TreeNode {
 public int val;
 public TreeNode left;
 public TreeNode right;
 public TreeNode(int val=0, TreeNode left=null, TreeNode right=null) {
 this.val = val;
 this.left = left;
 this.right = right;
 }
 }
 
 public class Tree2strSoln
 {
 public string Tree2str(TreeNode t)
 {
 if (t == null) return "";
 var str = new StringBuilder();
 str.Append(t.val);
 if (t.left != null)
 {
 str.Append("(");
 str.Append(Tree2str(t.left));
 str.Append(")");
 }
 if(t.right != null)
 {
 if(t.left == null)
 {
 str.Append("()"); 
 }

 str.Append("(");
 str.Append(Tree2str(t.right));
 str.Append(")");
 }
 return str.ToString();
 }
 }
}

Time Complexity: O(n)

Space Complexity: O(n)

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

AskGif

Published on 11 May 2020 · 1 min read · 236 words

Part of AskGif Blog · coding

You might also like