1. 程式人生 > >LeetCode——第198題:驗證二叉搜尋樹

LeetCode——第198題:驗證二叉搜尋樹

題目:

給定一個二叉樹,判斷其是否是一個有效的二叉搜尋樹。

假設一個二叉搜尋樹具有如下特徵:

節點的左子樹只包含小於當前節點的數。
節點的右子樹只包含大於當前節點的數。
所有左子樹和右子樹自身必須也是二叉搜尋樹。

示例 1:

輸入:
2
/ \
1 3
輸出: true
示例 2:

輸入:
5
/ \
1 4
/ \
3 6
輸出: false
解釋: 輸入為: [5,1,4,null,null,3,6]。
根節點的值為 5 ,但是其右子節點值為 4 。

程式碼:

import
java.util.ArrayList; import java.util.List; /** * @作者:dhc * 建立時間:18:56 2018/7/30 * 描述:驗證二叉搜尋樹 * 思路:中序遍歷的結果為有序序列,或者利用本身的性質,左<根<右。(同時分遞迴和非遞迴方法) */ public class NietyEight { //利用中序遍歷的結果為有序序列 public static boolean isValidBST(TreeNode root) { List<Integer> list = new ArrayList<Integer>(); getSeq(root,list); for
(int i = 0; i < list.size() - 1; i++) { if (list.get(i) >= list.get(i + 1)) { return false; } } return true; } public static void getSeq(TreeNode root, List<Integer> list){ if (root == null) { return; } getSeq(root.left,list); list.add(root.val); getSeq(root.right, list); } //大佬範例(中序遍歷)
private static TreeNode pre; public static boolean isValidBST1(TreeNode root){ if (root == null) { return true; } boolean l = isValidBST1(root.left); boolean c = pre == null || pre.val < root.val; pre = root; return l&&c&&isValidBST1(root.right); } //利用性質 public class Solution { public boolean isValidBST2(TreeNode root) { if (root == null) return true; return valid(root, Long.MIN_VALUE, Long.MAX_VALUE); } public boolean valid(TreeNode root, long low, long high) { if (root == null) return true; if (root.val <= low || root.val >= high) return false; return valid(root.left, low, root.val) && valid(root.right, root.val, high); } } public static void main(String[] args) { TreeNode root = new TreeNode(0); TreeNode node1 = new TreeNode(1); TreeNode node2 = new TreeNode(7); TreeNode node3 = new TreeNode(3); TreeNode node4 = new TreeNode(6); /*root.left=node1; root.right=node2; node2.left=node3; node2.right=node4;*/ System.out.println(isValidBST1(root)); } }