잎과 비슷한 나무

4782 단어 javascriptleetcode
두 개의 이진 트리는 리프 값 시퀀스가 ​​동일한 경우 리프 유사로 간주됩니다.

헤드 노드가 root1 및 root2인 두 개의 주어진 트리가 잎과 유사한 경우에만 true를 반환합니다.

입력: root1 = [3,5,1,6,2,9,8,null,null,7,4], root2 = [3,5,1,6,7,4,2,null,null,null ,널,널,널,9,8]
출력: 참

/**
 * Definition for a binary tree node.
 * function TreeNode(val, left, right) {
 *     this.val = (val===undefined ? 0 : val)
 *     this.left = (left===undefined ? null : left)
 *     this.right = (right===undefined ? null : right)
 * }
 */
/**
 * @param {TreeNode} root1
 * @param {TreeNode} root2
 * @return {boolean}
 */
var leafSimilar = function (root1, root2) {
  let resultRoot1 = [];
  let resultRoot2 = [];
  getNodes(root1, resultRoot1);
  getNodes(root2, resultRoot2);

  let isValid = false;

  if (resultRoot1.length !== resultRoot2.length) {
    return false;
  }

  for (let i = 0; i < resultRoot1.length; i++) {
    if (resultRoot1[i] !== resultRoot2[i]) {
      return false;
    }
  }
  return true;
};

const getNodes = (root, result) => {
  if (root === null) {
    return;
  }
  if (root.left === null && root.right === null) {
    result.push(root.val);
  }
  getNodes(root.left, result);
  getNodes(root.right, result);
};

좋은 웹페이지 즐겨찾기