标签:vertica str ble 体会 rsa dtree 技术分享 solution 实现
Given preorder and inorder traversal of a tree, construct the binary tree.
Note:
You may assume that duplicates do not exist in the tree.
#include <iostream>
#include <algorithm>
#include <vector>
/**
* Definition for a binary tree node.
* struct TreeNode {
*     int val;
*     TreeNode *left;
*     TreeNode *right;
*     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
using std::vector;
using std::find;
struct TreeNode
{
    int val;
    TreeNode *left;
    TreeNode *right;
    TreeNode(int x) : val(x), left(NULL), right(NULL) {}
};
class Solution
{
private:
    TreeNode* buildTree(vector<int>::iterator PreBegin, vector<int>::iterator PreEnd,
                        vector<int>::iterator InBegin, vector<int>::iterator InEnd)
    {
        if (PreBegin == PreEnd)
        {
            return NULL;
        }
        int HeadValue = *PreBegin;
        TreeNode *HeadNode = new TreeNode(HeadValue);
        vector<int>::iterator LeftEnd = find(InBegin, InEnd, HeadValue);
        if (LeftEnd != InEnd)
        {
            HeadNode->left = buildTree(PreBegin + 1, PreBegin + (LeftEnd - InBegin) + 1,
                             InBegin, LeftEnd);
        }
        HeadNode->right = buildTree(PreBegin + (LeftEnd - InBegin) + 1, PreEnd,
                                LeftEnd + 1, InEnd);
        return HeadNode;
    }
public:
    TreeNode* buildTree(vector<int>& preorder, vector<int>& inorder)
    {
        if (preorder.empty())
        {
            return NULL;
        }
        return buildTree(preorder.begin(), preorder.end(), inorder.begin(),
                         inorder.end());
    }
};
LeetCode_Construct Binary Tree from Preorder and Inorder Traversal
标签:vertica str ble 体会 rsa dtree 技术分享 solution 实现
原文地址:http://www.cnblogs.com/llguanli/p/7123269.html