带你粗略了解C++回文链表
程序员文章站
2022-06-27 19:00:15
目录请判断一个链表是否为回文链表。示例 1:输入: 1->2输出: false示例 2:输入: 1->2->2->1输出: true思路1.用快慢指针,快指针有两步,慢指针走一...
请判断一个链表是否为回文链表。
示例 1:
输入: 1->2
输出: false
示例 2:
输入: 1->2->2->1
输出: true
思路
1.用快慢指针,快指针有两步,慢指针走一步,快指针遇到终止位置时,慢指针就在链表中间位置
2.同时用pre记录慢指针指向节点的前一个节点,用来分割链表
3.将链表分为前后均等两部分,如果链表长度是奇数,那么后半部分多一个节点
4.将后半部分反转 ,得cur2,前半部分为cur1
5.按照cur1的长度,一次比较cur1和cur2的节点数值
/** * 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==nullptr||head->next==nullptr) return true; listnode* fast=head; //快指针 listnode* slow=head; //慢指针,找到链表的中间位置 listnode* pre=head; //慢指针的前一个指针,用来分割链表 while(fast&&fast->next){ //循环条件是fast和fast的下一个节点是否都存在,不用写fast!=nullptr&&fast->next!=nullptr,直接fast&&fast->next pre=slow; fast=fast->next->next; slow=slow->next; //per=slow; //这句不能放在这,这里的slow是slow->next。只能放在slow=slow->next的前面。 } pre->next=nullptr; //分割链表。per是前半部分链表的最后一个节点,所以是per的下一个结点为空,不是per==nullptr listnode* cur1=head; //前半部分的链表 listnode* cur2=reverse(slow); //对后半部分的链表进行反转,reverse(listnode* slow)错误,调用不用写类型listnode* while(cur1){ //循环条件是cur是否为空 if(cur1->val!=cur2->val) // 若有一个不相等则返回false return false; cur1=cur1->next; // 判断下一个节点 cur2=cur2->next; // } return true; //都等于则true } //反转链表 listnode* reverse(listnode* head){ listnode* temp; //保存cur的下一个节点,下一次要操作cur->next的节点 listnode* cur=head; listnode* pre=nullptr; while(cur){ temp=cur->next; cur->next=pre; pre=cur; cur=temp; } return pre; } };
总结
本篇文章就到这里了,希望能给你带来帮助,也希望您能够多多关注的更多内容!