Validate Binary Search Tree - Depth First Search - Leetcode 98

Sdílet
Vložit

Komentáře • 192

  • @NeetCode
    @NeetCode  Před 3 lety +15

    Tree Question Playlist: czcams.com/video/OnSn2XEQ4MY/video.html

    • @dishaagarwal1530
      @dishaagarwal1530 Před 5 dny

      Hi, just wanted to know that since condition is not for equal, wont test case with 2 nodes with same value fail say for this tree 23, left child is equal to root val not greater but this is not bst but running above code should not work on this case, let me know how this works

  • @aditisharma2448
    @aditisharma2448 Před 3 lety +88

    Looking at the the approach and the way you have explained it made my day. Absolutely beautiful and effortless.

    • @NeetCode
      @NeetCode  Před 3 lety +4

      Thanks, I'm happy it was helpful :)

    • @user-wy5es3xx2t
      @user-wy5es3xx2t Před 2 měsíci

      @@NeetCode hey how do u do it in c++,my problem is what should i replace inplace of inifinity??

  • @jackarnold571
    @jackarnold571 Před 3 lety +64

    Dude, thank you so much for these videos! I struggled with understanding this (and many other) problem, even after looking at solutions in the discuss section. After watching this it makes perfect sense!

    • @NeetCode
      @NeetCode  Před 3 lety +8

      Thanks! I'm happy it was helpful

  • @ranjeetkumaryadav3978
    @ranjeetkumaryadav3978 Před 2 lety +30

    One other simple solution can be, do inorder traversal and compare current value with last visited value.

    • @jugsma6676
      @jugsma6676 Před 3 měsíci

      exactly!

    • @PhanNghia-fk5rv
      @PhanNghia-fk5rv Před 2 měsíci

      nice one bro

    • @surajpatil7895
      @surajpatil7895 Před 2 měsíci +2

      It will not work as he already shown the example for that. If root node right node is greater, that's good. But if root node right node's left node is smaller than root but greater than it's parent, then it will send true though answer is false

    • @MinhVuLai_2006
      @MinhVuLai_2006 Před měsícem +1

      @@surajpatil7895 it will work since inorder traversal read your tree from left to right, meaning, if we have a tree like in the video, the result of inorder traversal would be [3, 5, 4, 7, 8]. Since 4 is greater than the prev number, return False

    • @of_mc9182
      @of_mc9182 Před 27 dny

      @surajpatil7895 You've misunderstood the example. What he showed was not an in-order traversal but simply checking the children of the current parent node.

  • @julesrules1
    @julesrules1 Před rokem +10

    Everything in this video is perfect. The logic, the way you explained it, the code, even the font! This made my day. Thanks!

  • @around_the_kyushu557
    @around_the_kyushu557 Před rokem +8

    These solutions are so efficient and elegant, thank you so much. I feel like I could never get to these solutions on my own.

  • @TheBeastDispenser
    @TheBeastDispenser Před rokem +1

    Thanks for this! I feel into the simple trap you mentioned at the beginning and was confused why I was failing some test cases.

  • @AwesomeCadecraft
    @AwesomeCadecraft Před 10 měsíci +1

    I love how you present the problems so well, I figured it out at 3:23

  • @adambarbour4203
    @adambarbour4203 Před 7 měsíci

    usually don't comment on videos but this is amzing. Just summed up about a week of lectures in 10 minutes

  • @talalnajam8692
    @talalnajam8692 Před 2 lety +19

    great solution! My first intuition was to do an inorder traversal, and then do a one-pass to see if it's sorted. O(n). Downside is you have to loop through the entire tree even if the invalid node is the root's left child.
    class Solution:
    def isValidBST(self, root: Optional[TreeNode]) -> bool:
    res = []
    self.inorder_traversal(root, res)
    return self.is_sorted(res)

    def inorder_traversal(self, root, res):
    if root:
    self.inorder_traversal(root.left, res)
    res.append(root.val)
    self.inorder_traversal(root.right, res)

    def is_sorted(self, arr):
    if not arr:
    return False
    for i in range(1, len(arr)):
    if arr[i]

    • @joeltrunick9487
      @joeltrunick9487 Před 2 lety

      Actually, I think this is a cleaner solution, as long as you use lazy evaluation. In Clojure, I think this is the way to go.
      (defn inorder [tree]
      (if
      (= nil tree) []
      (concat (inorder (second tree))
      (list (first tree))
      (inorder (nth tree 2 nil)))))
      (apply

    • @gamerversez5372
      @gamerversez5372 Před 2 lety

      I had solved this question on leetcode in this way it went pretty well and when I tried on gfg , i got a wrong answer at a test case 🥲

    • @VasheshJ
      @VasheshJ Před 2 lety

      I think this approach is fine. If you keep on checking if the number appended to the stack (while doing an inorder traversal) is lesser than or equal to the number just before it, then you can return False. It also reduces space complexity bcoz u only need to store one number in the stack.
      Check out my solution:
      class Solution:
      def isValidBST(self, root: Optional[TreeNode]) -> bool:
      result = []
      stack = []
      while True:
      while root:
      stack.append(root)
      root = root.left
      if not stack:
      break
      node = stack.pop()
      if result:
      if result[0] >= node.val:
      return False
      result.pop()
      result.append(node.val)
      root = node.right

      return True

    • @anwarmohammad5795
      @anwarmohammad5795 Před 2 lety +2

      this was a good one too..

    • @mehershrishtinigam5449
      @mehershrishtinigam5449 Před rokem

      arey wah so smart bro. O(n) ez soln. very good

  • @solodolo42
    @solodolo42 Před 7 měsíci +1

    Nice one! for readability, I also re-wrote line 13 as[ if not (left < node.val< right): ] . Thanks

  • @penguin1234ification
    @penguin1234ification Před 3 lety +4

    Thank you ! this is what I needed to click and understand.

  • @sugandhm2666
    @sugandhm2666 Před rokem +19

    In java u need to pass left = Long.MIN_VALUE and right = Long.MAX_VALUE because there are test cases in which root value itself is Integer.MAX_VALUE and the if condition doesnt hit to return false. So having long as left and right boundaries make sure that node values(int type) lie within given range.
    Because longMIN < Integer < LongMax is always true
    class Solution {
    public boolean isValidBST(TreeNode root) {
    return helper(root, Long.MIN_VALUE, Long.MAX_VALUE);
    }
    private boolean helper(TreeNode node, long left, long right) {
    if(node==null)
    return true;

    if(!(node.valleft))
    return false;

    return (helper(node.left, left, node.val) && helper(node.right, node.val, right));
    }
    }

  • @dineshkumarkb1372
    @dineshkumarkb1372 Před 9 měsíci +2

    Wonderful. You read my mind. The first intuitive solution that came to my mind was to blindly compare the node values on the left and right with its immediate root node. I think its not only important to teach how to build an intuition but also to teach how not to build one. Thanks a ton for doing that. That's what has made your channel stand out. Keep it up!

  • @ladydimitrescu1155
    @ladydimitrescu1155 Před rokem

    coming back to this video after a month, best explanation out there!

  • @amritpatel6331
    @amritpatel6331 Před rokem

    You have explained so nicely. Thank you so much.

  • @kevinsu9347
    @kevinsu9347 Před 3 lety +3

    I really like your explanation, thanks dude

  • @hamoodhabibi7026
    @hamoodhabibi7026 Před 2 lety +1

    wow how do you come up with these solutions! leetcode master! mind blown every time

  • @rajeshg3570
    @rajeshg3570 Před 2 lety +3

    I've been watching lot of solutions for this problem but i think this is the easiest and the best one.. simple superb.. thanks for this..

  • @silambarasan.ssethu9367

    Great explaination.Thanks dude

  • @tomonkysinatree
    @tomonkysinatree Před 9 dny

    Drawing out the solution was really good for this problem. I did the anticipated thing you pointed out at the beginning... then I tried to account for the issue when I realized what was wrong but couldn't frame the problem right. I think I am starting to jump into the code too soon. I need to be better about trying to break down the problem into smaller pieces first

  • @symbol767
    @symbol767 Před 2 lety

    Thanks for your explanation!

  • @deepakphadatare2949
    @deepakphadatare2949 Před 2 lety

    I wanna code like you .You make it sound so easy and simple.I really like your channel.If u ever in Newyork I wanna meet you.

  • @dithrox
    @dithrox Před 2 lety +3

    Thank you so much for these videos! Your solutions are crisp and easy to understand!

    • @NeetCode
      @NeetCode  Před 2 lety +2

      Thanks, glad they are helpful!

  • @prashanthshetty8337
    @prashanthshetty8337 Před 3 lety +1

    Very neat! thank you so much for making these videos. This is helping me a lot.

  • @mashab9129
    @mashab9129 Před 2 lety +3

    very clear explanation as always. thank you!

  • @hickasso
    @hickasso Před rokem

    Man, your channel is a divine beast. God, this is helping me so much, ty

  • @IK-xk7ex
    @IK-xk7ex Před rokem

    Awesome, explanation is as simple as it

  • @niravarora9887
    @niravarora9887 Před 6 měsíci

    My first intution was to follow inorder traversal and store it in the list, then validate if the list is sorted, I passed all the tests with it. Then I was trying to follow the approach you mentioned but figuring out left boundary and right boundary was actually very tricky, I am not sure if I could come up with that solution on my own.

  • @theysay6696
    @theysay6696 Před 2 lety

    It makes so much sense now!

  • @rashaameen611
    @rashaameen611 Před 3 měsíci

    great solution, if anyone is looking for Time and space complexity:
    Time: O(N)
    Space: O(N) This is because the DFS function is recursively called for each node in the BST, potentially leading to a call stack depth proportional to the number of nodes

  • @icvetz
    @icvetz Před 2 lety +3

    Hey NeetCode. May I ask what program you use for drawing your diagrams?
    Thanks!

  • @wonheejang5594
    @wonheejang5594 Před 2 lety +3

    Wow, It's so much cleaner and understandable than leetcode solution. Thanks for the video. It helps a lot!!

  • @sarthakjain1824
    @sarthakjain1824 Před rokem

    best explanation there can be for this question

  • @iamburntout
    @iamburntout Před 6 měsíci

    the way you write code is art

  • @andrewpagan
    @andrewpagan Před rokem

    I remember looking at this problem 2 years ago and just being stumped. You made it so easy to understand in less than 10 minutes. Thank you so much!

  • @aayushgupta6914
    @aayushgupta6914 Před rokem +6

    Hey Neetcode, your algorithm takes O(n) time complexity and O(n) Space complexity (as you are traversing the tree recursively). Wouldn't it be much simpler if one were to take an inorder traversal and a single loop to check if the inorder traversal list is in acsending order or not. It would be of O(n) time and space complexity too.

    • @_nh_nguyen
      @_nh_nguyen Před rokem +1

      Taking an inorder traversal and another loop actually takes 2n while NeetCode's algorithm takes n. Which means it is twice slower while both are O(n).

    • @natnaelberhane3141
      @natnaelberhane3141 Před rokem

      I was thinking exactly this. I think your way is more intuitive and easy to understand than what is shown in the video!

    • @jakjun4077
      @jakjun4077 Před rokem

      @@_nh_nguyen can u explain why it is 2n for the solution since u only traverse all the node once why times two

    • @StfuSiriusly
      @StfuSiriusly Před rokem

      @@_nh_nguyen constants mean nothing when talking about time complexity. 2n and n are equivilent unless you meant n^2

    • @piyusharyaprakash4365
      @piyusharyaprakash4365 Před rokem

      @@_nh_nguyen 2n reduces down to n so it's not that much big of a deal

  • @sachins6196
    @sachins6196 Před 2 lety

    Beautifully done

  • @roni_castro
    @roni_castro Před rokem +6

    I'd change left/right to min/max, so it's easier to understand and reduce confusion, as left reminds left node and so do right.

    • @backflipinspace
      @backflipinspace Před rokem +5

      Imo, the left and right range can be a bit confusing. Just do a simple inorder traversal, as a valid BST will always print a sorted series during inorder. So we just need to verify that and we're done.

    • @noelcovarrubias7490
      @noelcovarrubias7490 Před rokem

      @@backflipinspace can you explain that a bit further? What do you mean by “in order”

    • @abyszero8620
      @abyszero8620 Před rokem

      min/max would clash with standard library functions, so it's good practice not to name variables exactly the same.

    • @abyszero8620
      @abyszero8620 Před rokem

      ​@@noelcovarrubias7490"in-order" traversal is a specific variant of DFS on trees. For a valid BST, an in-order DFS traversal pattern is guaranteed to "visit" the nodes in globally increasing order.

  • @rahuldey1182
    @rahuldey1182 Před rokem +2

    This guy is the Mozart of Leetcode.

  • @hassanforever11
    @hassanforever11 Před 3 lety

    Really nice explanation you made it look easy where as its seams complication at other resources thanks man

  • @mariammeky3444
    @mariammeky3444 Před rokem

    helped me a lot thank you

  • @alibaba888
    @alibaba888 Před 2 lety

    the explanation made my day...

  • @tvrao123
    @tvrao123 Před 2 lety +1

    Very simple logic is complicated
    Max of left sub tree should be less than root and min of right sub tree should be greater than root

  • @akankshasharma7498
    @akankshasharma7498 Před 2 lety

    should I try to come up with better solution if they are like, "Faster than 10%" ?

  • @piyusharyaprakash4365
    @piyusharyaprakash4365 Před rokem +1

    My solution was to find the inorder traversal using dfs, store it in an array then just check if that array is sorted or not. The overall time complexity is O(N) also! it was easier to understand

    • @justinvilleneuve251
      @justinvilleneuve251 Před 11 měsíci

      same. You can just keep track of the last value visited in a variable "previous" instead of storing everything in an array. That way, you compare the current value with previous. If at any time current

    • @justinvilleneuve251
      @justinvilleneuve251 Před 11 měsíci +1

      this way you use O(1) space

  • @rahuldass452
    @rahuldass452 Před 2 lety

    Super helpful video! Question: based this BST definition, we assume every node has a unique value? I.e., if there are two nodes with equal values, then the tree is not a valid BST, correct? Something to clarify/disucss within an interview setting...

    • @shreyaskaup
      @shreyaskaup Před 2 lety

      Yes 😊

    • @hickasso
      @hickasso Před rokem

      Yes, if its equal we dont have a binary search, because we have to discard one side to make the search more efficienty. I think kkk

  • @khoango9241
    @khoango9241 Před rokem

    @5:37 Why is the upper bound 7? Is it supposed to be infinity?

  • @musaalsathmangazi6415

    Can someone explain why we need to check the boundaries with inf, -inf?

  • @guynameddan427
    @guynameddan427 Před 2 lety +1

    Thanks for the explanation. Had one question. @6:45 you said the time complexity is O(2n). I get why that's just O(n) but why 2n to begin with?

    • @appcolab
      @appcolab Před 2 lety +1

      O(2N) for the both trees left and right but we drop the constant 2N to O(N)

    • @timhehmann
      @timhehmann Před 2 lety +3

      For each call of the function "valid" we have to make 2 comparisons (comparisons have O(1) time complexity)
      -> node.val < right
      -> node.val > left
      We touch each node only once (so we call the function "valid" N times in total), therefore it's O(2n) = O(n)

  • @danielsun716
    @danielsun716 Před 2 lety +1

    One quick question, 7:47, why we cannot set the base case like this
    if left < node.val < right:
    return True
    ?

    • @skp6114
      @skp6114 Před rokem +2

      Just because the current node is true, it doesn't mean the children are true. We can't break out before calling the recursive function on the children. If false, we can break out since there is no point checking the children.

    • @danielsun716
      @danielsun716 Před rokem

      @@skp6114 Right!

  • @BTECESaumyaPande
    @BTECESaumyaPande Před 2 lety

    You are the best 👏👏

  • @jvarunbharathi9013
    @jvarunbharathi9013 Před rokem

    What is the Space complexity of the Soution O(log(n)) worst case? log(n) being height of the tree

  • @aadityakiran_s
    @aadityakiran_s Před rokem +1

    What if the root node or any other node inside is infinity or -infinity? Then this solution would break. If you put an equal's sign in addition to the comparators (=) then it will break if a tree is there with both left, right and its own value the same or if any value repeats in the BST. How did this solution pass that test case? Does it have something to do with it being written in Python?

    • @alexkim8965
      @alexkim8965 Před 9 měsíci +1

      Same question here. Does infinity considered smaller/bigger than any legal float value?
      Edit: I just did quick google search, and it is considered smaller/bigger than any legal number when comparing in Python.
      For Java, use Double.NEGATIVE_INFINITY & Double.POSITIVE_INFINITY, instead of Integer.MIN_VALUE & Integer.MAX_VALUE. I just confirmed the difference in LeetCode.

  • @jananisri6214
    @jananisri6214 Před 2 lety +1

    Can someone explain this line - valid(node.right, node.val, right). I don't understand how node.val comes in the place of left node.

    • @timhehmann
      @timhehmann Před 2 lety +2

      I think the naming of the parameters is just a bit confusing here. left means left bound (or lower bound) and right means right bound (or upper bound). So left and right doesn't refer to nodes, but the bounds.
      If we go to the left subtree then "node.val" becomes the new upper/right bound.
      If we go to the right subtree then "node.val" becomes the new lower/left bound.
      class Solution:
      def isValidBST(self, root: Optional[TreeNode]) -> bool:
      def valid(node, lowerBound, upperBound):
      if not node:
      return True
      if not (lowerBound < node.val and node.val < upperBound):
      return False;
      return valid(node.left, lowerBound, node.val) and valid(node.right, node.val, upperBound)
      return valid(root, float("-inf"), float("inf"))

  • @edwardteach2
    @edwardteach2 Před 2 lety +1

    U a God
    # Definition for a binary tree node.
    # class TreeNode(object):
    # def __init__(self, val=0, left=None, right=None):
    # self.val = val
    # self.left = left
    # self.right = right
    class Solution(object):
    def isValidBST(self, root, low = float('-inf'), high = float('inf')):
    """
    :type root: TreeNode
    :rtype: bool
    """
    if not root:
    return True
    if not (low < root.val < high):
    return False
    left = self.isValidBST(root.left, low, root.val)
    right = self.isValidBST(root.right, root.val, high)
    return left and right

  • @VARUNSHARMA-shanks
    @VARUNSHARMA-shanks Před 2 lety

    What is the problem with doing inorder traversal then check if it is sorted ?

    • @sujithkumar1997
      @sujithkumar1997 Před 2 lety

      extra memory for list and time to check if list is sorted

  • @abhicasm9237
    @abhicasm9237 Před 2 lety

    I have been practicing these questions for 2 months now
    but still I am not able to get the logic for most of the questions. Can someone from the comments help me?

  • @pfiter6062
    @pfiter6062 Před 11 měsíci

    I dont know why (root.val < left or root.val > right) gives me wrong answers

  • @arunraj2527
    @arunraj2527 Před 2 lety

    I was asked this question as a follow up for a BST question in Google and I bombed it :(. It was easy but at that moment of time this did not cross my mind.

  • @shaked1233
    @shaked1233 Před 2 lety +1

    Im wondering why the "if not" and not regular if, any reason behind it?

  • @tuananhao2057
    @tuananhao2057 Před 2 lety

    thank you for explaining, you are absolutely good man

  • @haoli8983
    @haoli8983 Před 19 dny

    i found some solution on leetcode solutions. it's short. but hard to know what's going on.
    your solution is better than that to understand.

  • @tongwang9464
    @tongwang9464 Před 2 lety

    beautiful solution

  • @Masterof_None
    @Masterof_None Před rokem +1

    i made a function for inorder traversal then return an array and compared with an sorted version of array but this way seems much easier

    • @backflipinspace
      @backflipinspace Před rokem

      you dont really need to print and compare the entire sorted array. just maintain a variable "lastSeen" during your inorder traversal and keep checking if lastSeen < root.val....if yes then update the lastSeen; if not return false.

  • @netraamrale3850
    @netraamrale3850 Před rokem

    Superb...!!!

  • @prajjwaldubey5787
    @prajjwaldubey5787 Před rokem

    i have solved this by taking the in order traversal of the BST ,and if the traversal is strictly increasing then it is a BST otherwise not

  • @VishnuVardhan-gr6op
    @VishnuVardhan-gr6op Před 2 lety

    Please go through time and space complexity!

  • @pekarna
    @pekarna Před 2 lety

    Hi, I am lazy so I did it simply:
    Filled a list using in-order, and then just checked if it's sorted.

  • @moeheinaung235
    @moeheinaung235 Před rokem

    what's the time and space complexity?

  • @ax5344
    @ax5344 Před 3 lety +2

    @ 8:43 , valid(node.left, left, node.val), if node.left is our current node, for me this is checking whether current node is between float"-inf" and node.parent. So current node should be smaller than its local parent. But the challenge @4:45 is 4 is smaller than its local parent, it is just bigger than the node two levels above. I got lost there. Any advice? (I know the code is right, but I just don't understand why...)

    • @lajoskicsi6910
      @lajoskicsi6910 Před rokem

      Same for me, did you find anything out since then?

  • @parthshah1563
    @parthshah1563 Před 2 lety +2

    Great solution!
    I found the solution using INORDER traversal, but I'm not sure whether it is optimal or not. Can someone help me?
    def inorder(root, res):
    if not root:
    return
    inorder(root.left, res)
    res.append(root.val)
    inorder(root.right, res)
    res = []
    inorder(root, res)
    for i in range(len(res)-1):
    if res[i] >= res[i+1]: return False
    return True

  • @ashleyspianoprogress1341
    @ashleyspianoprogress1341 Před 6 měsíci

    I got this question in an interview.

  • @jaymistry689
    @jaymistry689 Před rokem +1

    I didn't really get your brute force but my brute force was to just create BST into sorted array by inorder traversal and check if the array is sorted or not. BUT AS ALWAYS YOUR SOLUTION WAS VERY CLEAVER

    • @piyusharyaprakash4365
      @piyusharyaprakash4365 Před rokem

      That's not brute force I also came with the same solution using the inorder but the time complexity is O(N) but also taking O(N) space that's not brute force!

  • @Code4You1
    @Code4You1 Před rokem

    Very smart way

  • @bhaskyOld
    @bhaskyOld Před 2 lety +1

    This solution may be tricky/difficult to implement in C++ ans there is no concept of +/- infinity. Also the range is given as INT_MIN to INT_MAX. Any comments?

    • @MagicMindAILabs
      @MagicMindAILabs Před 2 lety

      // Recursive, In-Order validation
      // MIN/MAX not required
      TreeNode *prevv = NULL;
      bool helperIsValidBSTInorder(TreeNode *root, TreeNode *prevv)
      {
      if(root == NULL)
      {
      return true;
      }
      // In - Order business place where you do something
      // below conditions can be combined
      if(!helperIsValidBSTInorder(root->left, prevv*))
      {
      return false;
      }
      if(prevv != NULL && root->val val)
      {
      return false;
      }
      prevv = root;
      return helperIsValidBSTInorder(root->right/*, prevv);
      }

  • @Cruzylife
    @Cruzylife Před rokem

    this is a sneaky question , passed 68 edge cases without considering the upper and lower bownd.

  • @TheQuancy
    @TheQuancy Před 2 lety

    Time complexity is O(n) Time | O(n) Space
    At that point, i'd rather just do the InorderTraversal, and check if the returned array is constantly increasing

    • @Jack-mc7qe
      @Jack-mc7qe Před 2 lety

      avg space complexity will be more in that case since in best case also u would be maintaining o(n) space

  • @fitnessking5446
    @fitnessking5446 Před 2 lety

    thanks a ton for the great explanation

  • @sanooosai
    @sanooosai Před 3 měsíci

    thank you sir

  • @kailynn2449
    @kailynn2449 Před rokem

    thanks so much

  • @backflipinspace
    @backflipinspace Před rokem +1

    This is a good solution but imo, a better and simpler way would be to just traverse the tree in "inorder". All BST's print out a sorted sequence when traversed in inorder. So all we really need to do is to check whether the last value we saw during our inorder traversal was smaller than my current node value; for which we can easily just maintain a global variable. That's it!!
    //Pseudocode:
    last = None
    def BST(Node root) {
    //base condition
    if(root == null){
    return True
    }
    //left
    if(!BST(root.left)){
    return False
    }
    //value comparision
    if(last == None){
    last = root.val;
    }else{
    if(last < root.val){
    last = root.val
    }else{
    return False
    }
    }
    //right
    if(!BST(root.right)){
    return False
    }
    return True
    }

    • @StfuSiriusly
      @StfuSiriusly Před rokem

      How is this simpler or better? The recursive solution is quite simple and elegant. Also you cant really say this is 'better' its just a different iterative way of solving it.

    • @jointcc2
      @jointcc2 Před rokem +1

      ​@@StfuSiriusly Well first of all, the iterative solution has the same time and space complexity as the recursive solution and if you happen to know anything about DFS inorder traversal you know it preserves order, so once you put all tree values in an array the rest is just checking whether the values in the array are in strictly increasing order. If you are in an interview this is the kind of solution that would come up to your mind instantly, which in a lot of times I think is better than coming up with a recursive case that may be error-prone. When I first tried this question I thought of both solutions, but I decided to go for the recursive solution and made the exact mistake Neetcode mentioned at the beginning of the video. This may be a good learning opportunity for myself but under interview condition it's always better to come up with solution having an easy and intuitive explanation while not compromising space and time complexity.

  • @hiscientia6536
    @hiscientia6536 Před 2 lety

    Hi, I am new to python and when I write the exact same code I am getting error for the def isValidBST line. Does anyone else get the error?

  • @tinymurky7329
    @tinymurky7329 Před rokem

    Wow, Big brain!

  • @3ombieautopilot
    @3ombieautopilot Před 3 měsíci

    Did it using generators and inorder traversal.

  • @javatutorials6747
    @javatutorials6747 Před 9 měsíci

    Using inorder traversal can also a solution sir

  • @jugsma6676
    @jugsma6676 Před 3 měsíci

    One simple method is to do inorder tree traversal:
    def isValidBST(self, root: Optional[TreeNode]) -> bool:
    res = []
    def test(node, res):
    if not node:
    return True
    test(node.left, res)
    res.append(node.val)
    test(node.right, res)
    return res
    test(root, res)
    print(res)
    if len(res) != len(set(res)):
    return False
    return True if sorted(res) == list(res) else False

  • @ashikmahmud1404
    @ashikmahmud1404 Před 11 měsíci

    what if root = INT_MAX doesn't it gives wa.

  • @billcosta
    @billcosta Před 9 měsíci

    you're genius

  • @herono-4292
    @herono-4292 Před 11 měsíci

    I don't understand the difference between the brute force and the optimize brut force. In both case we iterate trough each node and made a comparison.

    • @palishloko
      @palishloko Před 10 měsíci

      by brute force they usually mean the slower code and the optimized brut force is usually the faster code which it matters when you are dealing with very large data.

  • @kirillzlobin7135
    @kirillzlobin7135 Před 10 měsíci

    You are amazing

  • @giridharsshenoy
    @giridharsshenoy Před rokem

    good solution

  • @thevagabond85yt
    @thevagabond85yt Před rokem

    can u give stack solution?

  • @brianyehvg
    @brianyehvg Před 3 lety +1

    isnt traversing the tree with inorder traversal and putting it in an array and then going through the array also technically O(n)

    • @NeetCode
      @NeetCode  Před 3 lety +4

      Actually yes, i didn't think of that, but that is also a good solution.

    • @brianyehvg
      @brianyehvg Před 3 lety

      @@NeetCode i guess your solution is better anyways :) O(1) space vs O(n) space

    • @iambreddy
      @iambreddy Před 2 lety +2

      @@brianyehvg Not really. You dont need to store the entire array. Just maintain the prev node and check if current node > prev.

  • @yaseeneltahir
    @yaseeneltahir Před rokem

    Big like!

  • @kaci0236
    @kaci0236 Před 5 měsíci

    I could spend one year looking at this problem and I would never come up with infinity condition. I wonder if this a matter of practice and at some point it gets in to your intuition or you just have to be smart

  • @KM-zd6dq
    @KM-zd6dq Před 2 lety

    Nice solution, but what if we have a node that has a same value with the root?

    • @Lambyyy
      @Lambyyy Před 2 lety

      A binary search tree has distinct values, no duplicates.

    • @skp6114
      @skp6114 Před rokem

      @@Lambyyy not always.. when constructing a tree, we need to decide on one direction for equals to. For the leetcode solution, we need to just put in a check and return false. There is a test case that requires it.

  • @MagicMindAILabs
    @MagicMindAILabs Před 2 lety +2

    Why you have used preorder traversal approach??? Any specific reason??
    Inorder traversal also we can do 😅😅😅
    What about post order traversal???
    I see everywhere people make video with preorder only and don’t tell the reason behind this..

    • @austinkellum9097
      @austinkellum9097 Před 2 lety

      I would like to know as well. I get why we would use DFS.

  • @abdelmalek9004
    @abdelmalek9004 Před 2 lety

    why you have written all that return statement ? i haven't undrstood

    • @tvrao123
      @tvrao123 Před 2 lety

      Very simple logic is complicated

  • @AR00STIKA
    @AR00STIKA Před 2 lety

    If you're comparing node.left with the previous left, and comparing node.right with previous right, aren't you just comparing the value against itself?

    • @vinaydeep26
      @vinaydeep26 Před 2 lety

      we're comparing it with the boundaries