码迷,mamicode.com
首页 > 其他好文 > 详细

LeetCode Recover Binary Search Tree

时间:2014-08-25 01:07:23      阅读:329      评论:0      收藏:0      [点我收藏+]

标签:des   style   blog   color   io   for   ar   div   log   

class Solution {
private:
    vector<TreeNode*> nodes;
public:
    void recoverTree(TreeNode *root) {
        nodes.clear();
        dfs(root);
        // 1 5 3 4 2 6 7
        // 1 3 2 4
        // 3 2
        int len = nodes.size();
        if (len < 1) return;
        
        int pre = nodes[0]->val;
        int cur = 0;
        int first = -1;
        int second= -1;
        for (int i=1; i<len; i++) {
            cur = nodes[i]->val;
            if (cur < pre) {
                if (first < 0) {
                    first = i-1;
                } else {
                    second= i;
                }
            }
            pre = cur;
        }
        if (second < 0) second = first + 1;
        int t = nodes[first]->val;
        nodes[first]->val = nodes[second]->val;
        nodes[second]->val= t;
    }
    
    void dfs(TreeNode* root) {
        if (root == NULL) return;
        dfs(root->left);
        nodes.push_back(root);
        dfs(root->right);
    }
};

先来个"A solution using O(n) space is pretty straight forward"的方法。如果递归调用栈不算额外空间的话,把先序遍历改一下即可,如果算的话...怎么办

来一个伪常数空间的:

/**
 * Definition for binary tree
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
private:
    vector<TreeNode*> nodes;
    TreeNode* pre;
    TreeNode* first;
    TreeNode* second;
public:
    void recoverTree(TreeNode *root) {
        nodes.clear();
        pre = first = second = NULL;
        dfs(root);
        // case a. 1 5 3 4 2 6 7
        // case b. 1 3 2 4
        // case c. 3 2
        // case d. 3
        // case e. NULL
        if (second == NULL) return; // case (d,e)
        int t = first->val;
        first->val = second->val;
        second->val= t;
    }
    
    void dfs(TreeNode* root) {
        if (root == NULL) return;
        dfs(root->left);
        visit(root);
        dfs(root->right);
    }
    
    void visit(TreeNode* node) {
        if (pre == NULL) {
            pre = node;
            return;
        }
        if (node->val < pre->val) {
            if (first == NULL) {
                first = pre;
                second= node;   // assume swap with node next to pre(case b,c)
            } else {
                second= node;   // fix above assumption(case a)
            }
        }
        pre = node;
    }
};

 

LeetCode Recover Binary Search Tree

标签:des   style   blog   color   io   for   ar   div   log   

原文地址:http://www.cnblogs.com/lailailai/p/3933958.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!