-
Notifications
You must be signed in to change notification settings - Fork 38
/
Copy pathsolve.c
51 lines (49 loc) · 1.31 KB
/
solve.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
#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>
struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
};
bool hasPathSum(struct TreeNode *root, int sum) {
if (root == NULL)
return false;
if (root->left == NULL && root->right == NULL)
return root->val == sum;
if (!root->left || !hasPathSum(root->left, sum - root->val)) {
return hasPathSum(root->right, sum - root->val);
}
return true;
}
struct TreeNode *mk_node(int val)
{
struct TreeNode *p = malloc(sizeof(*p));
p->val = val;
p->left = p->right = NULL;
return p;
}
void mk_child(struct TreeNode *root, struct TreeNode *left, struct TreeNode *right)
{
root->left = left;
root->right = right;
}
int main(int argc, char **argv)
{
struct TreeNode *root = mk_node(5);
mk_child(root, mk_node(4), mk_node(8));
struct TreeNode *left = root->left;
struct TreeNode *right = root->right;
mk_child(left, mk_node(11), NULL);
mk_child(left->left, mk_node(7), mk_node(2));
mk_child(right, mk_node(13), mk_node(4));
mk_child(right->right, NULL, mk_node(1));
printf("%d\n", hasPathSum(root, 22));
printf("%d\n", hasPathSum(root, 26));
printf("%d\n", hasPathSum(root, 18));
printf("%d\n", hasPathSum(root, 27));
printf("%d\n", hasPathSum(root, 37));
printf("%d\n", hasPathSum(root, 100));
printf("%d\n", hasPathSum(root, 0));
return 0;
}