You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
SOlution - 1 Time complexity: O(n), Space complexity: O(h), h is Tree Height
classSolution {
// Runtime: 854 ms, faster than 20.00% of Dart online submissions for Minimum Depth of Binary Tree.// Memory Usage: 184.5 MB, less than 60.00% of Dart online submissions for Minimum Depth of Binary Tree.intminDepth(TreeNode? root) {
if (root ==null) return0;
int left =minDepth(root.left);
int right =minDepth(root.right);
//if both left and right 0, that means there is no path in left and right// return 1 as current node in the current pathif (left ==0&& right ==0)
return1;
// if left is 0 and right has some value, that means there is no path in left side//but some path in right side, so return whatever value + 1, the extra 1 is for current nodeelseif (left ==0)
return right +1;
// if right is 0 and left has some value, that means there is no path in right side//but some path in left side, so return whatever value + 1, the extra 1 is for current nodeelseif (right ==0)
return left +1;
// if in both side path exist, then consider the minimum and add 1 for the current nodeelsereturnmin(left, right) +1;
}
}
Solution - 2
classSolution {
// 52 / 52 test cases passed, but took too long.// Status: Time Limit Exceeded// Submitted: 0 minutes agointminDepth(TreeNode? root) {
if (root ==null) return0;
if (root.left ==null&& root.right ==null) return1;
int leftDepth =
root.left !=null?minDepth(root.left) :double.maxFinite.floor();
int rightDepth =
root.right !=null?minDepth(root.right) :double.maxFinite.floor();
return1+min(leftDepth, rightDepth);
}
}
Solution - 3
classSolution {
// Runtime: 687 ms, faster than 20.00% of Dart online submissions for Minimum Depth of Binary Tree.// Memory Usage: 184.3 MB, less than 80.00% of Dart online submissions for Minimum Depth of Binary Tree.intminDepth(TreeNode? root) {
if (root ==null) return0;
// Base caseif (root.left ==null&& root.right ==null) return1;
// If left subtree is NULL, recursion for right subtreeif (root.left ==null) returnminDepth(root.right) +1;
// If right subtree is NULL, recursion for left subtreeif (root.right ==null) returnminDepth(root.left) +1;
returnmin(minDepth(root.left), minDepth(root.right)) +1;
}
}