[Leetcode 문제풀이] Leetcode 111: 두 갈래 나무의 최소 깊이[귀속/비귀속 구해/대기열]

2435 단어 풀다

LeetCode 111: 두 갈래 나무의 최소 깊이


두 갈래 나무의 최소 깊이를 구하다.최소 깊이는 나무의 뿌리 결점에서 가장 가까운 잎 결점까지의 가장 짧은 경로에서 결점의 수량을 가리킨다.
Given a binary tree, find its minimum depth.The minimum depth is the number of nodes along the shortest path from the root node down to the nearest leaf node.
struct TreeNode {
    int val;
    TreeNode *left;
    TreeNode *right;
    TreeNode(int x) : val(x), left(NULL), right(NULL) {}
};

1 귀속 구해

class Solution {
public:
    int run(TreeNode *root) {
        int minimum = 0;
        if(root==NULL)
        {
            return minimum;
        }
        int ld = run(root->left); // 
        int rd = run(root->right);
        
       if(ld * rd > 0) // 
        {
            return (ld>rd?rd:ld)+1; 
        }
        else // 0, 
        {
            return (ld>rd?ld:rd)+1;
        }
        
    }
};
class Solution 
{
public:
    int run(TreeNode* root) 
    {
        if (root == nullptr) return 0;
        if (root->left == nullptr) return run(root->right) + 1;
        if (root->right == nullptr) return run(root->left) + 1;
        return min(run(root->left) , run(root->right)) + 1;        
    }
};

2 비귀속, BFS

class Solution {
public:
    int run(TreeNode *root) {
        if(root == NULL)
            return 0;
        queue que;
        que.push(root);
        int depth = 0;
        while(!que.empty())
        {

            int size = que.size();  // 
            depth++;
            // 
            for(int i = 0; i < size; ++i)
            {
                TreeNode* tmp = que.front();
                if(tmp->left != NULL)
                    que.push(tmp->left);
                if(tmp->right != NULL)
                    que.push(tmp->right);
                que.pop();
                //  , 
                if(tmp->left == NULL && tmp->right == NULL)
                    return depth;
            }
        }
        return -1;
    }
};

C++queue 복습 요약


FIFO는 임의로 액세스할 수 없습니다.
 #include 
 using namespace std;
 
 
 queue queT; //queue  ,queue  :
 
 
push(elem);// 
pop();     // 
back();   // 
front();  // 

 
queue& operator=(const queue &que);// 

empty();  // , true
size();  // 

좋은 웹페이지 즐겨찾기