606. 根据二叉树创建字符串
你需要采用前序遍历的方式,将一个二叉树转换成一个由括号和整数组成的字符串。
空节点则用一对空括号 “()” 表示。而且你需要省略所有不影响字符串与原始二叉树之间的一对一映射关系的空括号对。
链接
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
|
function tree2str(root: TreeNode | null): string { if (root === null) return '' let str = `${root.val}` if (root.left === null && root.right === null) return str + '' if (root.right === null) return str + `(${tree2str(root.left)})` return `${str}(${tree2str(root.left)})(${tree2str(root.right)})` };
|