-
-
Notifications
You must be signed in to change notification settings - Fork 82
/
Copy pathpalindrome-permutation.js
39 lines (31 loc) · 1.18 KB
/
palindrome-permutation.js
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
// Palindrome Permutation: Given a string, write a function to check if it is a permutation of a palindrome.
// A palindrome is a word or phrase that is the same forwards and backwards.
// A permutation is a rearrangement of letters. The palindrome does not need to be limited to just dictionary words.
// You can ignore casing and non-letter characters.
// Example:
// Tact Coa
// - taco cat
// - atco cta
// Runtime Complexity: O(N), where N = the true length of the string
// Space Complexity: O(N), where N = the true length of the string in the hashmap
function isAlpha(char) {
return /[_a-zA-Z]/.test(char);
}
function buildMapOsChars(string) {
const charsMap = new Map();
const downcasedString = string.toLowerCase();
for (let char of downcasedString) {
if (!isAlpha(char)) continue;
if (charsMap.has(char)) charsMap.set(char, charsMap.get(char) + 1);
else charsMap.set(char, 1);
}
return charsMap;
}
export function palindromePermutation(string) {
let charsMap = buildMapOsChars(string);
let numberOfCharsWithOneCount = 0;
for (let [_, count] of charsMap.entries()) {
numberOfCharsWithOneCount += count % 2;
}
return numberOfCharsWithOneCount <= 1;
}