226. Invert Binary Tree

题目分析

题目链接
这道题目是让我们翻转一棵二叉树,示例如下:

翻转前:
     4
   /   \
  2     7
 / \   / \
1   3 6   9
翻转后:
     4
   /   \
  7     2
 / \   / \
9   6 3   1

我们使用递归的编程方式来解这道题目。

代码

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public TreeNode invertTree(TreeNode root) {
        // 递归结束条件
        if(root == null) {
            return null;
        }
        TreeNode temp = root.left;
        root.left = root.right;
        root.right = temp;
        // 递归翻转左右子树
        invertTree(root.left);
        invertTree(root.right);
        return root;
    }
}

你可能感兴趣的:(226. Invert Binary Tree)