--- tags: leetcode --- # [1325. Delete Leaves With a Given Value](https://leetcode.com/problems/delete-leaves-with-a-given-value/) --- # My Solution ## The Key Idea for Solving This Coding Question ## C++ Code ```cpp= /** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode() : val(0), left(nullptr), right(nullptr) {} * TreeNode(int x) : val(x), left(nullptr), right(nullptr) {} * TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {} * }; */ class Solution { public: TreeNode *removeLeafNodes(TreeNode *root, int target) { if (root == nullptr) { return nullptr; } root->left = removeLeafNodes(root->left, target); root->right = removeLeafNodes(root->right, target); if (root->left == nullptr && root->right == nullptr && root->val == target) { //delete root; return nullptr; } return root; } }; ``` ## Time Complexity $O(n)$ $n$ is the number of nodes in the binary tree referred by `root`. ## Space Complexity $O(H)$ $H$ is the height of the binary tree referred by `root`. # Miscellane <!-- # Test Cases ``` [1,2,3,2,null,2,4] 2 ``` ``` [1,3,3,3,2] 3 ``` ``` [1,2,null,2,null,2] 2 ``` * Runtime Error ``` [1,1,1] 1 ``` -->