力扣——翻轉二叉樹
阿新 • • 發佈:2019-02-04
!= clas nbsp style tree rtt spa ttr treenode
翻轉一棵二叉樹。
示例:
輸入:
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; } //當左右樹都為空的時候不翻轉,左右其中一個非空就翻轉 if (!(root.right == null && root.left == null)) { TreeNode right = root.right; TreeNode left = root.left; root.right= left; root.left = right; //翻轉下一次層級,判斷非空 if (root.right != null) { invertTree(root.right); } //翻轉下一次層級,判斷非空 if (root.left != null) { invertTree(root.left); } } return root; } }
力扣——翻轉二叉樹