본문 바로가기

Algorithm/자료구조

(C++) - LeetCode (easy) 530. Minimum Absolute Difference in BST

반응형

https://leetcode.com/problems/minimum-absolute-difference-in-bst/description/

 

Minimum Absolute Difference in BST - LeetCode

Can you solve this real interview question? Minimum Absolute Difference in BST - Given the root of a Binary Search Tree (BST), return the minimum absolute difference between the values of any two different nodes in the tree.   Example 1: [https://assets.l

leetcode.com

tree 순회로 푼 문제였습니다.

📕 풀이방법

📔 입력 및 초기화

전위순회하는 getValues함수로 각 TreeNode내 원소들을 vector values에 저장해줍니다.

📔 풀이과정

1. 매번 TreeNode의 원소들을 values에 넣고 오름차순으로 정렬해줍니다.

2. 정렬된 원소들에서 두 인접 원소의 차이들을 구해 최솟값을 ans에 저장합니다. 2칸 이상 벌어진 원소들간의 차이는 한 칸씩 떨어진 원소의 차이보다 무조건 크기 때문에 해당 방식으로 답을 구해도 됩니다.

📔 정답 출력 | 반환

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:
    vector <int> values;
    void getValues(TreeNode* root) {
        if(root == NULL) return;
        values.push_back(root->val);
        getValues(root->left);
        getValues(root->right);
    }
    int getMinimumDifference(TreeNode* root) {
        values.clear();
        getValues(root);
        sort(values.begin(), values.end());
        int ans = 0x3f3f3f3f;
        for(int i = 0; i < values.size() - 1; i++) {
            ans = min(ans, abs(values[i] - values[i+1]));
        }
        return ans;
    }
};

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