LeetCode226. 翻轉二叉樹
阿新 • • 發佈:2018-12-26
翻轉一棵二叉樹。
示例:
輸入:
4 / \ 2 7 / \ / \ 1 3 6 9
輸出:
4 / \ 7 2 / \ / \ 9 6 3 1
程式碼展示:
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class Solution { public: TreeNode* invertTree(TreeNode* root) { if(root==NULL) return NULL; invert(root); return root; } void invert(TreeNode* root){ if(root->left==NULL && root->right==NULL) return; swap(root->left,root->right); if(root->left!=NULL) invert(root->left); if(root->right!=NULL) invert(root->right); } };