• Leetcode 笔记 116


    题目链接:Populating Next Right Pointers in Each Node | LeetCode OJ

    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
    

    Tags: Depth-first Search

    分析

    是Populating Next Right Pointers in Each Node II的简化版本,主要简化在于给定的树是完整树,因此Populating Next Right Pointers in Each Node II的解法也完全适用于本题。

    只从本题考虑,可以认为是典型的深度优先遍历,每次遍历需要处理三件事:

    • 当前结点的next指针指向右侧结点
    • 将左节点的next指针指向右结点
    • 将右结点的next指针指向下一结点,即当前结点的next结点的左结点。如果右侧没有结点了,则置为None

    示例

    class Solution:
        # @param root, a tree node
        # @return nothing
        def connect(self, root):
          self._connect(root, None);
    
        # @param root, a tree node
        # @param sibling, current node's sibling node
        # @return nothing
        def _connect(self, root, sibling):
          if root is None:
            return;
          else:
            root.next = sibling;
    
          self._connect(root.left, root.right);
    
          if sibling is not None:
            # Connect current node's right and sibling's left
            self._connect(root.right, sibling.left);
          else:
            self._connect(root.right, None);
    

    Leetcode 笔记系列的Python代码共享在https://github.com/wizcabbit/leetcode.solution

    相关题目

    Populating Next Right Pointers in Each Node II

    转载本博客站点(http://www.cnblogs.com/wizcabbit/)内的所有原创内容时,必须遵循此协议:

    署名-非商业性使用-禁止演绎 4.0 国际 (CC BY-NC-ND 4.0)

    禁止对文章内容做出更改,禁止的行为包括但不限于:修改内容、修改图片、去除链接、去除作者标识

    必须在转载中标识本文的显式链接,且链接必须可以点击

    遵守CC协议是为了更好地保持原创内容的质量,保留针对协议中的主张进行追诉的权利。

  • 相关阅读:
    排序总结[3]_线性排序算法
    Spring九问
    DP-最大递增子序列与最大递增子数组; 最大公共子序列与最大公共子数组。
    java 8 新特性
    数据库事务隔离等级
    算法思维方式之二——DP与DFS
    算法思维方式—— 由排列组合想到的
    java Servlet简介
    java hashCode, 引用以及equals().
    java反射简介
  • 原文地址:https://www.cnblogs.com/wizcabbit/p/leetcode-116-populating-next-right-pointers-in-each-node.html
Copyright © 2020-2023  润新知