LeetCode算法入门(第二十六天)
二叉树
226.翻转二叉树
data:image/s3,"s3://crabby-images/0c501/0c5014ed75f5e381dae5af5e9fce0a82030c0648" alt="在这里插入图片描述"
交换左右子树,直到叶子节点,叶子节点为没有子节点的节点。
class Solution {
public:
TreeNode* invertTree(TreeNode* root) {
if(root == NULL)
return root;
swap(root->left, root->right);
invertTree(root->left);
invertTree(root->right);
return root;
}
};
112.路径总和
data:image/s3,"s3://crabby-images/fbd97/fbd9759ae2a0bd17ff347241f68964734c9bc430" alt="在这里插入图片描述"
class Solution {
public:
bool traversal(TreeNode* cur, int count){
if(!cur->left && !cur->right && count == 0)
return true;
if(!cur->left && !cur->right)
return false;
if(cur->left){
count -= cur->left->val;
if(traversal(cur->left, count))
return true;
count += cur->left->val;
}
if(cur->right){
count -= cur->right->val;
if(traversal(cur->right, count))
return true;
count += cur->right->val;
}
return false;
}
bool hasPathSum(TreeNode* root, int targetSum) {
if(root == NULL)
return false;
return traversal(root, targetSum - root->val);
}
};
|