/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) : val(x), next(NULL) {}
};*/
class PalindromeList {
public:
bool chkPalindrome(ListNode* A) {
// write code here
//思路: 1->2->2->1
//快慢指针找到之间结点 将后面的链表进行逆置 现在用一下CPP的方法
if(A==nullptr || A->next==nullptr)
return true;
stack<int> s;
//找之间结点
ListNode* fast = A;
ListNode* slow = A;
while(fast && fast->next)
{
s.push(slow->val);
slow = slow->next;
fast = fast->next->next;
}
//如何判断奇数偶数
if(fast)
slow = slow->next;
while(!s.empty() && slow)
{
if(s.top()!=slow->val)
{
return false;
}
s.pop();
slow = slow->next;
}
if(!s.empty() || slow)
{
return false;
}
return true;
}
# };