본문 바로가기

Algorithm/자료구조

(C++) - LeetCode (easy) 500. Keyboard Row

반응형

https://leetcode.com/problems/find-mode-in-binary-search-tree/description/

 

Find Mode in Binary Search Tree - LeetCode

Can you solve this real interview question? Find Mode in Binary Search Tree - Given the root of a binary search tree (BST) with duplicates, return all the mode(s) [https://en.wikipedia.org/wiki/Mode_(statistics)] (i.e., the most frequently occurred element

leetcode.com

tree 순회 문제였습니다.

📕 풀이방법

📔 입력 및 초기화

key에는 node의 값, value에는 빈도수를 저장할 cntMap을 선언 후 초기화해줍니다.

 

📔 풀이과정

1. 전위 순회로 node의 각 원소의 빈도수를 cntMap에 저장해줍니다.2. vector ans를 선언해줍니다. cntMap을 순회하며 최빈 원소의 빈도수를 지역변수 mode에 저장해줍니다. 이후 cntMap을 다시 순회하며 mode값과 같은 cntMap의 key값을 ans에 저장해줍니다.

📔 정답 출력 | 반환

ans를 반환합니다.


📕 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:
    map<int,int> cntMap;
    
    void createFreqMap(TreeNode*root){
        if(root == NULL) return;
        cntMap[root->val]++;
        createFreqMap(root->left);
        createFreqMap(root->right);
    }
    vector<int> findMode(TreeNode* root) {
        createFreqMap(root);
        int mode = 0;
        for(auto c : cntMap) {
            mode = max(mode, c.second);
        }
        vector <int> ans;
        for(auto c : cntMap) {
            if(c.second == mode) ans.push_back(c.first);
        }
        return ans;
    }
};

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