A palindrome is a word, phrase, or sequence that reads the same backward as forward.
- Remove all non-alphanumeric characters and convert the string to lowercase to handle case sensitivity.
- Use two pointers: one starting at the beginning and the other at the end of the string.
- Compare characters at the two pointers. If they differ, the string is not a palindrome.
- Move the pointers closer to the center and repeat the comparison.
- If all characters match, the string is a palindrome.
function isPalindrome(str) {
// Normalize the string: remove non-alphanumeric characters and convert to lowercase
const cleanStr = str.replace(/[^a-zA-Z0-9]/g, '').toLowerCase();
let left = 0;
let right = cleanStr.length - 1;
while (left < right) {
if (cleanStr[left] !== cleanStr[right]) {
return false; // Not a palindrome
}
left++;
right--;
}
return true; // It's a palindrome
}
// Example usage
console.log(isPalindrome("A man, a plan, a canal, Panama")); // Output: true
console.log(isPalindrome("hello")); // Output: false
This method has a time complexity of O(n), where n is the length of the string.
Tags: basic, JavaScript, Strings, Algorithm
URL: https://www.tiktok.com/@jsmentoring/video/7458413373315681569