leetcode 114. 二叉树展开为链表

给定一个二叉树,原地将它展开为链表。

例如,给定二叉树

    1
   / \
  2   5
 / \   \
3   4   6

将其展开为:

1
 \
  2
   \
    3
     \
      4
       \
        5
         \
          6

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/flatten-binary-tree-to-linked-list
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

采用二叉树后序遍历(python代码如下)

class TreeNode(object):
    def __init__(self, x):
        self.val = x
        self.left = None
        self.right = None

class Solution(object):
    def flatten(self, root):
        """
        :type root: TreeNode
        :rtype: None Do not return anything, modify root in-place instead.
        """
        if not root:
            return
        self.flatten(root.left)
        self.flatten(root.right)
        temp = root.right #保存父节点的右子节点
        root.right = root.left #将父节点的左子节点变为父节点的新右子节点
        root.left = None
        while root.right: #将父节点的原右子节点连接到新右子节点的右子节点上
            root = root.right
        root.right = temp

你可能感兴趣的:(leetcode,python,leetcode,114)