본문 바로가기

Algorithm/자료구조

(C++) - LeetCode (easy) 222. Count Complete Tree Nodes

반응형

https://leetcode.com/problems/count-complete-tree-nodes/description/

 

Count Complete Tree Nodes - LeetCode

Can you solve this real interview question? Count Complete Tree Nodes - Given the root of a complete binary tree, return the number of the nodes in the tree. According to Wikipedia [http://en.wikipedia.org/wiki/Binary_tree#Types_of_binary_trees], every lev

leetcode.com

재귀를 이용한 tree 순회 문제였습니다.

📕 풀이방법

📔 풀이과정

자기 자신 node + 왼쪽 자식 node 개수 + 오른쪽 자식 node 개수를 더한 값을 반환해주면 현재 level에 누적된 node개수가 반환되도록 재귀함수를 구현하면 됩니다.


📕 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) {}
 * };
 */
class Solution {
public:
    int countNodes(TreeNode* root) {
        if(root == NULL) return 0;
        return 1 + countNodes(root -> left) + countNodes(root -> right);
    }
};

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