AFFILIATE LINKS
Great resource I use to learn algorithms.
40% off Tech Interview Pro: http://techinterviewpro.com/terriblewhiteboard
20% off CoderPro: http://coderpro.com/terriblewhiteboard
/**
* Definition for singly-linked list.
* function ListNode(val) {
* this.val = val;
* this.next = null;
* }
*/
/**
* @param {ListNode} head
* @return {boolean}
*/
let isPalindrome = function(head) {
let fast = head;
let slow = head;
while (fast !== null && fast.next !== null) {
slow = slow.next;
fast = fast.next.next;
}
fast = head;
slow = reverse(slow);
while (slow !== null) {
if (slow.val !== fast.val) {
return false;
}
slow = slow.next;
fast = fast.next;
}
return true;
};
let reverse = function(head) {
let prevNode = null;
while (head !== null) {
let nextNode = head.next;
head.next = prevNode;
prevNode = head;
head = nextNode;
}
return prevNode;
}