-
Notifications
You must be signed in to change notification settings - Fork 27
/
131. Palindrome Partitioning.c
108 lines (89 loc) · 2.3 KB
/
131. Palindrome Partitioning.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
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
/*
131. Palindrome Partitioning
Given a string s, partition s such that every substring of the partition is a palindrome.
Return all possible palindrome partitioning of s.
For example, given s = "aab",
Return
[
["aa","b"],
["a","a","b"]
]
*/
/**
* Return an array of arrays of size *returnSize.
* The sizes of the arrays are returned as *columnSizes array.
* Note: Both returned array and *columnSizes array must be malloced, assume caller calls free().
*/
typedef struct {
int start;
int len;
} buff_t;
typedef struct {
char ***p;
int *csz;
int psz;
int pn;
} res_t;
void add2res(res_t *res, const char *s, buff_t *buff, int d) {
int i;
char *str, **pp;
if (res->psz == res->pn) {
res->psz = (res->psz == 0) ? 10 : res->psz * 2;
res->p = realloc(res->p, res->psz * sizeof(char **));
res->csz = realloc(res->csz, res->psz * sizeof(int));
//assert(res->p && res->psz);
}
pp = malloc(d * sizeof(char *));
//assert(pp);
for (i = 0; i < d; i ++) {
str = strndup(&s[buff[i].start], buff[i].len);
pp[i] = str;
}
res->p[res->pn] = pp;
res->csz[res->pn ++] = d;
}
int is_palindrome(const char *s, int start, int end) {
while (start < end) {
if (s[start] != s[end]) return 0;
start ++;
end --;
}
return 1;
}
void bt(const char *s, int start, int sz, buff_t *buff, int d, res_t *res) {
int i;
if (start == sz) {
// done, save result
add2res(res, s, buff, d);
return;
}
for (i = start; i < sz; i ++) {
if (is_palindrome(s, start, i)) {
buff[d].start = start;
buff[d].len = i - start + 1;
bt(s, i + 1, sz, buff, d + 1, res);
}
}
}
char*** partition(char* s, int** columnSizes, int* returnSize) {
res_t res = { 0 };
buff_t *buff;
int sz;
sz = strlen(s);
buff = malloc(sz * sizeof(buff_t));
//assert(buff);
bt(s, 0, sz, buff, 0, &res);
//free(buff);
*columnSizes = res.csz;
*returnSize = res.pn;
return res.p;
}
/*
Difficulty:Medium
Total Accepted:104.5K
Total Submissions:308.3K
Companies Bloomberg
Related Topics Backtracking
Similar Questions
Palindrome Partitioning II
*/