Created
August 14, 2025 07:01
-
-
Save ssshukla26/a87391f56c972b2fecf96f5d2382808a to your computer and use it in GitHub Desktop.
Flatten Binary Tree
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| # Leetcode: 114. Flatten Binary Tree to Linked List | |
| # Definition for a binary tree node. | |
| # class TreeNode: | |
| # def __init__(self, val=0, left=None, right=None): | |
| # self.val = val | |
| # self.left = left | |
| # self.right = right | |
| class Solution: | |
| def flattenBT(self, node: Optional[TreeNode]) -> Optional[TreeNode]: | |
| if node: | |
| # get left and right of node | |
| node_lft, node_rgt = node.left, node.right | |
| # disconnect left and right of node | |
| node.left = None | |
| node.right = None | |
| # connect the right of node to left node if exist else to right node | |
| node.right = node_lft if node_lft else node_rgt | |
| # flatten left of node | |
| lft_tail = self.flattenBT(node_lft) | |
| # connect the left subtree to right node if it exist | |
| if lft_tail: | |
| lft_tail.right = node_rgt | |
| # flatten right of node | |
| rgt_tail = self.flattenBT(node_rgt) | |
| return rgt_tail or lft_tail or node | |
| def flatten(self, root: Optional[TreeNode]) -> None: | |
| """ | |
| Do not return anything, modify root in-place instead. | |
| """ | |
| self.flattenBT(root) | |
| return |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment