Hard - 제목 6:117.Populating Next Right Pointers in Each Node II

3932 단어
제목 원문: Follow up for problem "Populating Next Right Pointers in Each Node".
What if the given tree could be any binary tree? Would your previous solution still work?
Note:
You may only use constant extra space. For example, Given the following binary tree,
         1
       /  \       2    3
     / \    \     4   5    7

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

제목 대의: 일반 두 갈래 나무에next 노드를 추가합니다.제목 분석: Middle-제목 17과 유사하지만 차이점은 이 안에 있는 두 갈래 나무는 일반 두 갈래 나무이고 이전 문제는 완전 두 갈래 나무라는 것이다.그래서 왼쪽 아이의 넥스트는 반드시 오른쪽 아이가 아니라 오른쪽 아이의 넥스트도 반드시 아버지 노드 넥스트의 왼쪽 아이가 아니라 아버지 노드에서 시작하여 오른쪽으로 아이가 있는 같은 층 노드를 찾아서 그 아이를 가리킨다(왼쪽 아이가 있으면 왼쪽 아이, 없으면 오른쪽 아이).그래서 한 층을 다 배열한 후에 아래로 깊이 수색할 때마다 먼저 오른쪽 나무를 수색하고 왼쪽 나무를 수색해야 하기 때문에 본 문제는 역전순으로 두루 훑어야 한다!!!,일반적인 앞 순서를 두루 훑어보았을 때, 왼쪽 나무를 깊이 뒤졌을 때, 오른쪽 나무를 처리하지 않았기 때문에, 일부next가 연결되지 않았을 것이다.원본: (language:java)
public class Solution {
    public void connect(TreeLinkNode root) {
        if(root!=null) 
            dfs(root,root.left,root.right);

    }
    private void dfs(TreeLinkNode parent, TreeLinkNode leftchild, TreeLinkNode rightchild) { // asserted that parent isn't null
        TreeLinkNode p = parent;
        while (p.next!=null && (p==parent || (p.left==null&&p.right==null)))
            p=p.next;
        if(leftchild!=null) {
            if(rightchild!=null)
                leftchild.next = rightchild;
            else {
                if(p!=parent)
                    leftchild.next = p.left!=null?p.left:p.right;
            }

        }
        if(rightchild!=null) {
            if(p!=parent)
                rightchild.next = p.left!=null?p.left:p.right;

        }
        if(rightchild!=null)
            dfs(rightchild, rightchild.left, rightchild.right);
        if(leftchild!=null)
            dfs(leftchild, leftchild.left, leftchild.right);

    }       
}

성적: 2ms,beats 32.02%,중수 2ms,39.09%만약 요구에 맞지 않는다면, 개조 전 과정을 통해 여러 차례 실현할 수 있으니, 매우 번거로울 것 같다.

좋은 웹페이지 즐겨찾기