偶数个节点算法示意图:
反转后的回文链表:
可以观察到中间节点3为公共节点、null节点为公共节点,实际上把回文链表处理为两条相交链表。
奇数个节点算法示意图:
反转后的回文链表:
奇数个节点反转后,slow指针指向的单链表节点个数,少于fast指针指向的单链表。
时间复杂度O(n),空间复杂度O(n)
class Solution {
public:
bool isPalindrome(ListNode* head) {
vector<int> list;
for(ListNode* ptr=head;ptr;ptr=ptr->next)
{
list.emplace_back(ptr->val);
}
for(int i=0,j=list.size()-1;i<j;i++,j--)
{
if(list[i]!=list[j]) return false;
}
return true;
}
};
时间复杂度O(n),空间复杂度O(1)
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
bool isPalindrome(ListNode* head) {
if(!head) return false;
ListNode* slowptr = head;
ListNode* fastptr = head;
while(fastptr&&fastptr->next)
{
if(!fastptr->next) break;
fastptr=fastptr->next->next;
slowptr=slowptr->next;
}
fastptr=slowptr;
slowptr=nullptr;
while(fastptr)
{
ListNode* temp=fastptr->next;
fastptr->next=slowptr;
slowptr=fastptr;
fastptr=temp;
}
fastptr=head;
while(fastptr&&slowptr)
{
if(slowptr->val!=fastptr->val) return false;
slowptr=slowptr->next;
fastptr=fastptr->next;
}
return true;
}
};
打印公共节点的代码:
测试用例:[1,2,3,2,1],输出:3为公共节点空节点为公共节点
while(slowptr)
{
if(slowptr->val!=fastptr->val) return false;
if(slowptr==fastptr&&fastptr->val==3) cout<<"3为公共节点";
slowptr=slowptr->next;
fastptr=fastptr->next;
}
if(slowptr==fastptr&&fastptr==nullptr) cout<<"空节点为公共节点";