leetcode_98_Validate Binary Search Tree

설명:


Given a binary tree, determine if it is a valid binary search tree (BST).
Assume a BST is defined as follows:
The left subtree of a node contains only nodes with keys less than the node's key.
The right subtree of a node contains only nodes with keys greater than the node's key.
Both the left and right subtrees must also be binary search trees.
confused what  "{1,#,2,3}"  means? > read more on how binary tree is serialized on OJ.
OJ's Binary Tree Serialization:
The serialization of a binary tree follows a level order traversal, where '#' signifies a path terminator where no node exists below.
Here's an example:
   1
  / \
 2   3
    /
   4
    \
     5
The above binary tree is serialized as  "{1,2,3,#,#,4,#,#,5}" .

생각:


이차 정렬 트리와 이차 트리의 중차 정렬에 대한 값이 질서정연한 것은 충분한 필요조건이기 때문에 이차 트리에 대해 중차 정렬을 하면 되고 정렬된 결점의 값을list에 저장한 다음list의 값을 순서대로 비교한다. 질서정연한 것은 이차 정렬 트리이고 그렇지 않으면 그렇지 않다.
물론 더 좋은 방법은 하나의temp로 결점의 값을 잠시 저장한 다음에 순서대로 비교하면 된다.

코드:

public boolean isValidBST(TreeNode root) {
		boolean flag=true;
		List<Integer>list=new ArrayList<Integer>();
	     if(root==null)
			 return flag;
	     Stack<TreeNode>st=new Stack<TreeNode>();
	     st.push(root);
	     TreeNode top=null;
	     while(!st.empty())
	     {
	    	 top=st.peek();
	    	 while(top.left!=null)
	    	 {
	    		 st.push(top.left);
	    		 top=top.left;
	    	 }
	    	 while(top.right==null)
	    	 {
	    		 list.add(top.val);
	    		 st.pop();
	    		 if(!st.empty())
	    			 top=st.peek();
	    		 else
	    			 break;
	    	 }
	    	 if(!st.empty())
	    	 {
	    		 list.add(top.val);
		    	 st.pop();
		    	 st.push(top.right);
	    	 }
	    	 
	     }
	     int len=list.size();
	     int num=list.get(0),temp=0;
	     for(int i=1;i<len;i++)
	     {
	    	 temp=list.get(i);
	    	 if(num>temp)
	    	 {
	    		 flag=false;
	    		 break;
	    	 }
	    	 num=temp;
	     }
		return flag;
    }

결과:

좋은 웹페이지 즐겨찾기