본문 바로가기

Algorithm/DFS

(C++) - LeetCode (easy) 993. Cousins in Binary Tree

반응형

https://leetcode.com/problems/cousins-in-binary-tree/description/

 

LeetCode - The World's Leading Online Programming Learning Platform

Level up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared for your next interview.

leetcode.com

자료구조 순회 문제였습니다.

📕 풀이방법

📔 입력 및 초기화

구조체 Info를 선언합니다. node의 깊이 depth와 부모정보 parent를 member 변수로 선언했습니다.x와 y의 정보를 저장할 xInfo, yInfo를 선언해줍니다.

📔 풀이과정

dfs를 수행해 x와 y값을 가진 node의 parent와 depth를 xInfo, yInfo에 각각 저장해줍니다.

📔 정답 출력 | 반환

cousin여부를 반환합니다.


📕 Code

📔 C++

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
struct Info {
    int depth; TreeNode *parent;
};
class Solution {
public:
    void dfs(TreeNode*root, TreeNode*parent, int x, int y, int depth, Info &xInfo, Info &yInfo) {
        if(root == NULL) return;
        if(x == root->val) {
            xInfo = {depth,parent};
        }
        if(y == root->val) {
            yInfo = {depth, parent};
        }
        dfs(root->left, root, x, y, depth + 1, xInfo, yInfo);
        dfs(root->right, root, x, y, depth + 1, xInfo, yInfo);
    }
    bool isCousins(TreeNode* root, int x, int y) {
        Info xInfo = {-1, NULL};
        Info yInfo = {-1, NULL};
        dfs(root, root, x, y, 0, xInfo, yInfo);
        return  xInfo.depth == yInfo.depth && xInfo.parent != yInfo.parent;
    }
};

*더 나은 내용을 위한 지적, 조언은 언제나 환영합니다.