leetcode 브러시 트리(4) - 귀속: 뒤집기 트리

1277 단어 leetcode

[LeetCode] 인버트 바이너리 트리 두 갈래 나무 뒤집기.


 
Invert a binary tree.
     4
   /   \
  2     7
 / \   / \
1   3 6   9

to
     4
   /   \
  7     2
 / \   / \
9   6 3   1

Trivia: This problem was inspired by this original tweet by Max Howell:
Google: 90% of our engineers use the software you wrote (Homebrew), but you can’t invert a binary tree on a whiteboard so fuck off.
두 가지 반복 해법:
첫 번째 귀속 함수는 뒤집힌 루트 노드를 되돌려줍니다.
class Solution {
    public TreeNode invertTree(TreeNode root) {        
        if(root == null)
            return null;
        TreeNode left = root.left;//   left  , 
        root.left = invertTree(root.right);
        root.right = invertTree(left);
        return root;        
    }
}

두 번째: 귀속 함수는 반환 값의 앞 순서를 반복하여 좌우 노드를 바꾸는 것이 이해하기 쉽다
class Solution {
    public TreeNode invertTree(TreeNode root) {
        invert(root);
        return root;
        
        
    }
    private void invert(TreeNode root){
        if(root == null)
            return;
        TreeNode node = root.left;
        root.left = root.right;
        root.right = node;
        invert(root.left);
        invert(root.right);
    }
}

좋은 웹페이지 즐겨찾기