element UI 自定義校驗規則寫法
阿新 • • 發佈:2021-01-08
輸入某二叉樹的前序遍歷和中序遍歷的結果,請重建出該二叉樹。假設輸入的前序遍歷和中序遍歷的結果中都不含重複的數字。
例如輸入前序遍歷序列{1,2,4,7,3,5,6,8}和中序遍歷序列{4,7,2,1,5,3,8,6},則重建二叉樹並返回。
先序遍歷序列構成陣列 pre = [1,2,3,4,5,6,7], 中序遍歷序列構成陣列 vin = [3,2,4,1,6,5,7]
1.由先序遍歷陣列中的第一個元素可知,二叉樹根節點的值為1 2.在中序遍歷陣列中檢索根節點值所在位置index, 以上例子中index = 3; 3.得pre.slice(1,index+1)和vin.slice(0, index)分別為根節點左子樹的先序遍歷陣列和中序遍歷數 pre.slice(index+1)和vin.slice(index+1)分別為根節點右子樹的先序遍歷陣列和中序遍歷陣列 function TreeNode(x) { this.val = x; this.left = null; this.right = null; } function reConstructBinaryTree(pre, vin) { if(pre.length == 0){ return null; } let val = pre[0]; let index = vin.indexOf(val); let Node = new TreeNode(val); Node.left = reConstructBinaryTree(pre.slice(1,index+1), vin.slice(0,index+1)); Node.right = reConstructBinaryTree(pre.slice(index+1), vin.slice(index+1)) return Node; }