Same Tree는 두 갈래 나무가 똑같은지 비교합니다.

3595 단어 tree
Given two binary trees, write a function to check if they are equal or not.
Two binary trees are considered equal if they are structurally identical and the nodes have the same value.
두 갈래 나무를 정해 완전히 같은지 아닌지를 판단한다.
만약 두 갈래 나무가 완전히 같다면, 각 노드의 왼쪽 나무와 오른쪽 나무는 반드시 같다.
루트 노드에서 시작하는 반복 방식을 사용할 수 있습니다.
 1 /**
 2  * Definition for binary tree
 3  * struct TreeNode {
 4  *     int val;
 5  *     TreeNode *left;
 6  *     TreeNode *right;
 7  *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 8  * };
 9  */
10 class Solution {
11 public:
12     bool isSameTree(TreeNode *p, TreeNode *q) {
13         if(p == NULL && q == NULL)
14             return true;
15         else if(p == NULL || q == NULL)
16             return false;
17         
18         if(p->val != q->val)
19             return false;
20         
21         bool left = isSameTree(p->left,q->left);
22         bool right = isSameTree(p->right,q->right);
23         
24         return left && right;
25     }
26 };

좋은 웹페이지 즐겨찾기