Same Tree--2つのツリーが同じかどうかを比較
原題:
Given two binary trees, write a function to check if they are equal or not.
=>2つのツリーを指定し、同じかどうかを確認する関数を書きます.
Two binary trees are considered equal if they are structurally identical and the nodes have the same value.
=>2つのツリーは同じで、構造が同じで、ノードの値も同じです.
暁東分析:
実は2つの二叉木が同じかどうかの判断は、簡単そうに見えますが、再帰で実現すれば左、右ノードがルートノードである二叉木は同じで、valも同じであればいいのです.
ただ、左右のノードがnullである場合やそうでない場合など、いくつかの特殊な状況を考慮する必要があります.
コード実装:
実行結果:
52/52test cases passed.
Status: Accepted
Runtime:
16 ms
より良いアルゴリズムが提案されることを望んでいます.感謝しません.
この文章が役に立つと思ったら、下でマウスで軽く「トップ」を押してください.はは~~
Given two binary trees, write a function to check if they are equal or not.
=>2つのツリーを指定し、同じかどうかを確認する関数を書きます.
Two binary trees are considered equal if they are structurally identical and the nodes have the same value.
=>2つのツリーは同じで、構造が同じで、ノードの値も同じです.
/**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
bool isSameTree(TreeNode *p, TreeNode *q) {
// Note: The Solution object is instantiated only once and is reused by each test case.
}
};
暁東分析:
実は2つの二叉木が同じかどうかの判断は、簡単そうに見えますが、再帰で実現すれば左、右ノードがルートノードである二叉木は同じで、valも同じであればいいのです.
ただ、左右のノードがnullである場合やそうでない場合など、いくつかの特殊な状況を考慮する必要があります.
コード実装:
/**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
bool isSameTree(TreeNode *p, TreeNode *q) {
// Note: The Solution object is instantiated only once and is reused by each test case.
if(p == NULL && q == NULL) return true;
if(!(p != NULL && q != NULL)) return false;
bool left_result = isSameTree(p->left, q->left);
bool right_result = isSameTree(p->right, q->right);
bool value_result = p->val == q->val;
return (left_result == true && right_result == true && value_result == true)? true: false;
}
};
実行結果:
52/52test cases passed.
Status: Accepted
Runtime:
16 ms
より良いアルゴリズムが提案されることを望んでいます.感謝しません.
この文章が役に立つと思ったら、下でマウスで軽く「トップ」を押してください.はは~~