Construct String from Binary Tree - Tree - Easy - LeetCode
💻 coding

Construct String from Binary Tree - Tree - Easy - LeetCode

1 min read 231 words
1 min read
ShareWhatsAppPost on X
  • 1To construct a string from a binary tree, use preorder traversal and represent null nodes with empty parentheses '()'.
  • 2Omit unnecessary empty parentheses that do not affect the one-to-one mapping of the string to the binary tree.
  • 3The provided solution has a time complexity of O(n) and a space complexity of O(1).

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"To construct a string from a binary tree, use preorder traversal and represent null nodes with empty parentheses '()'."

Construct String from Binary Tree - Tree - Easy - LeetCode

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 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: Originallay 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.

/**
 * Definition for a binary tree node.
 * 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 Solution {
 public string Tree2str(TreeNode t) {
 if(t==null){
 return string.Empty;
 }
 var sb = new StringBuilder();
 sb.Append(t.val); 
 
 if(t.left!=null){
 sb.Append("(");
 sb.Append(Tree2str(t.left));
 sb.Append(")");
 }
 
 if(t.right!=null){
 if(t.left==null){
 sb.Append("()");
 }
 sb.Append("(");
 sb.Append(Tree2str(t.right));
 sb.Append(")");
 }
 return sb.ToString();
 }
}

Time Complexity: O(n)

Space Complexity: O(1)

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 7 October 2020 · 1 min read · 231 words

Part of AskGif Blog · coding

You might also like