Below is the code to find whether a LinkedList is a palindrome or not Why this code show error for when this line bool isPal = check(p->next) & (temp->val == p->val); in the code below is written as bool isPal = (temp->val == p->val) & check(p->next); for the input [1,0,1]-------just the order of taking AND is reversed
class Solution {
public:
ListNode* temp;
bool isPalindrome(ListNode* head) {
temp = head;
return check(head);
}
bool check(ListNode* p) {
if (NULL == p) return true;
bool isPal = check(p->next) & (temp->val == p->val);
temp = temp->next;
return isPal;
}
};
Solution
This fixes the issue by deliberately moving the call to check() to be first so that temp can be iterated inside of the check() call before trying to calculate the value of temp.
Explanation
consider the following:
The value of temp is calculated Before the call to check() and thus before temp can ever be iterated.
Step-By-Step Walkthrough
Using the [1,0,1] example, I will step through the recursive calls of check() step-by-step: