-
-
Notifications
You must be signed in to change notification settings - Fork 5.8k
Expand file tree
/
Copy pathPalindromePartitioning.js
More file actions
30 lines (26 loc) · 754 Bytes
/
PalindromePartitioning.js
File metadata and controls
30 lines (26 loc) · 754 Bytes
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
import { palindrome } from './Palindrome'
/*
* Given a string s, return all possible palindrome partitionings of s.
* A palindrome partitioning partitions a string into palindromic substrings.
* @see https://un5gmtkzgjwveepbykcf84g2c7gdg3g.julianrbryant.com/~sedwards/classes/2021/4995-fall/proposals/Palindrome.pdf
*/
const partitionPalindrome = (s) => {
const result = []
backtrack(s, [], result)
return result
}
const backtrack = (s, path, result) => {
if (s.length === 0) {
result.push([...path])
return
}
for (let i = 0; i < s.length; i++) {
const prefix = s.substring(0, i + 1)
if (palindrome(prefix)) {
path.push(prefix)
backtrack(s.substring(i + 1), path, result)
path.pop()
}
}
}
export default partitionPalindrome