[하루하루 렛코드] #116.Populating Next Right Pointers in Each Node

하루에 한 번씩 Leet Code.


이 시리즈의 글은 이미 모두 제github에 업로드되었습니다, 주소: ZeeCoder's Github 저의 시나닷컴 웨이보에 관심을 가져 주십시오. 저의 시나닷컴 웨이보는 전재를 환영합니다. 전재는 출처를 밝혀 주십시오.

제목


출처:https://leetcode.com/problems/populating-next-right-pointers-in-each-node/
Given a binary tree
struct TreeLinkNode { TreeLinkNode *left; TreeLinkNode *right; TreeLinkNode *next; } Populate each next pointer to point to its next right node. If there is no next right node, the next pointer should be set to NULL.
Initially, all next pointers are set to NULL.
Note:
  • You may only use constant extra space.
  • You may assume that it is a perfect binary tree (ie, all leaves are at the same level, and every parent has two children).

  • For example, Given the following perfect binary tree,
        1
      /  \
     2    3
    / \  / \
    4  5  6  7
    

    After calling your function, the tree should look like:
        1 -> NULL
      /  \
     2 -> 3 -> NULL
    / \  / \
    4->5->6->7 -> NULL
    

    (2) 문제를 풀다


    제목 대의: 새로운 두 갈래 트리 구조를 정의하고 새 바늘next가 이 노드의 오른쪽에 인접한 노드를 가리키는 것을 추가합니다.문제 풀이 사고방식: 오른쪽에 인접한 노드를 가리키려면 층층이 훑어보는 방식으로 모든 노드를 넥스트로 연결하면 된다!레이어 반복 참고: [하루에 한 번 리트코드] #102.Binary Tree Level Order Traversal 잔말 말고 AC 코드 보기:
    /** * Definition for binary tree with next pointer. * struct TreeLinkNode { * int val; * TreeLinkNode *left, *right, *next; * TreeLinkNode(int x) : val(x), left(NULL), right(NULL), next(NULL) {} * }; */
    class Solution {
    public:
        void connect(TreeLinkNode *root) {
            if(root==NULL) return;
            queue<TreeLinkNode *> myque;
            myque.push(root);
            while(!myque.empty())
            {
                queue<TreeLinkNode *> temp_que;
                TreeLinkNode *pre = NULL;
                while(!myque.empty())
                {
                    TreeLinkNode *temp = myque.front();
                    myque.pop();
                    if(pre==NULL) pre = temp;// 
                    else {
                        pre->next = temp;// next 
                        pre = temp;
                    }
                    if(temp->left!=NULL) temp_que.push(temp->left);// 
                    if(temp->right!=NULL) temp_que.push(temp->right);// 
                }
                pre->next=NULL;// next NULL
                myque=temp_que;// 
            }
        }
    };

    좋은 웹페이지 즐겨찾기