-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathLeetCode102.c
59 lines (52 loc) · 1.69 KB
/
LeetCode102.c
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
/*************************************************************************
> File Name: LeetCode102.c
> Author: ws
> Mail: [email protected]
> Created Time: 2020年02月28日 星期五 14时54分50秒
************************************************************************/
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* struct TreeNode *left;
* struct TreeNode *right;
* };
*/
/**
* Return an array of arrays of size *returnSize.
* The sizes of the arrays are returned as *returnColumnSizes array.
* Note: Both returned array and *columnSizes array must be malloced, assume caller calls free().
*/
int getDepth(struct TreeNode *root) {
if (root == NULL) return 0;
int l = getDepth(root->left), r = getDepth(root->right);
return (l > r ? l : r) + 1;
}
void getCnt(struct TreeNode *root, int k, int *cnt) {
if (root == NULL) return ;
cnt[k] += 1;
getCnt(root->left, k + 1, cnt);
getCnt(root->right, k + 1, cnt);
return ;
}
void getResult(struct TreeNode *root, int k, int *cnt, int **ret) {
if (root == NULL) return ;
ret[k][cnt[k]++] = root->val;
getResult(root->left, k + 1, cnt, ret);
getResult(root->right, k + 1, cnt, ret);
return ;
}
int** levelOrder(struct TreeNode* root, int* returnSize, int** ColumnSizes){
int depth = getDepth(root);
int *cnt = (int *)calloc(sizeof(int), depth);
int **ret = (int **)malloc(sizeof(int *) * depth);
getCnt(root, 0, cnt);
for (int i = 0; i < depth; i++) {
ret[i] = (int *)malloc(sizeof(int) * cnt[i]);
cnt[i] = 0;
}
getResult(root, 0, cnt, ret);
*returnSize = depth;
*ColumnSizes = cnt;
return ret;
}