forked from leetcoders/LeetCode
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathConstructBinaryTreefromInorderandPostorderTraversal.h
More file actions
40 lines (37 loc) · 1.23 KB
/
ConstructBinaryTreefromInorderandPostorderTraversal.h
File metadata and controls
40 lines (37 loc) · 1.23 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
/*
Author: Annie Kim, anniekim.pku@gmail.com
Date: May 16, 2013
Problem: Construct Binary Tree from Inorder and Postorder Traversal
Difficulty: Easy
Source: http://leetcode.com/onlinejudge#question_106
Notes:
Given inorder and postorder traversal of a tree, construct the binary tree.
Note:
You may assume that duplicates do not exist in the tree.
Solution: Recursion.
*/
/**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
TreeNode *buildTree(vector<int> &inorder, vector<int> &postorder) {
int N = inorder.size();
return buildTreeRe(inorder.begin(), postorder.begin(), N);
}
TreeNode *buildTreeRe(vector<int>::iterator inorder, vector<int>::iterator postorder, int N) {
if (N <= 0) return NULL;
vector<int>::iterator it = find(inorder, inorder+N, *(postorder+N-1));
int pos = it - inorder;
TreeNode *root = new TreeNode(*(postorder+N-1));
root->left = buildTreeRe(inorder, postorder, pos);
root->right = buildTreeRe(inorder+pos+1, postorder+pos, N-pos-1);
return root;
}
};