中序遍历升序和二叉搜索树是充要条件,我们只要中序遍历把所有的值都放到一个数组中,在看数组是不是升序即可

/**
 * struct TreeNode {
 *	int val;
 *	struct TreeNode *left;
 *	struct TreeNode *right;
 * };
 *
 * C语言声明定义全局变量请加上static,防止重复定义
 */
/**
 * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
 *
 * 
 * @param root TreeNode类 
 * @return bool布尔型
 */
void LDR(struct TreeNode* root , int p[10000],int* count){
    if(root==NULL){
        return;
    }
    
    LDR(root->left,p,count);
    p[(*count)++]=root->val;
    LDR(root->right, p, count);
}

bool isValidBST(struct TreeNode* root ) {
    // write code here
    if(root==NULL){
        return 0;
    }
    int p[10000];
    int count=0;
    LDR(root,p,&count);
    
    
    int i=0;
    while(i<count){ 
        int j=i+1;
        while(j<count){      //取出数组中第i个值,与其之后的所有有效值进行对比
            if(p[i]<p[j]){   //如果第i个值小于所有i之后的值,i++继续对比
                j++;
            }else{
                return 0;    //如果有一次第i个值大于i之后的值,即不是升序排列,返回false
            }
        }
        i++;
    }
    return 1;    //循环进行到底,都没有返回false,说明是升序,返回true
}