forked from zhuli19901106/leetcode-zhuli
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathadd-one-row-to-tree_1_AC.cpp
61 lines (54 loc) · 1.49 KB
/
add-one-row-to-tree_1_AC.cpp
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
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
// I don't know why such boring problems should appear one after one on Leetcode.
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
#include <queue>
#include <utility>
using std::make_pair;
using std::pair;
using std::queue;
class Solution {
public:
TreeNode* addOneRow(TreeNode* root, int v, int d) {
if (d <= 0) {
return root;
}
TreeNode *p;
if (d == 1) {
p = new TreeNode(v);
p->left = root;
return p;
}
queue<pair<TreeNode *, int>> q;
q.push(make_pair(root, 1));
TreeNode *p1, *p2;
pair<TreeNode *, int> pr;
while (!q.empty()) {
pr = q.front();
q.pop();
p = pr.first;
if (pr.second < d - 1) {
if (p->left != NULL) {
q.push(make_pair(p->left, pr.second + 1));
}
if (p->right != NULL) {
q.push(make_pair(p->right, pr.second + 1));
}
} else {
p1 = p->left;
p->left = new TreeNode(v);
p->left->left = p1;
p2 = p->right;
p->right = new TreeNode(v);
p->right->right = p2;
}
}
return root;
}
};