目录
[206. 反转链表 - 力扣(LeetCode)](#206. 反转链表 - 力扣(LeetCode))
[234. 回文链表 - 力扣(LeetCode)](#234. 回文链表 - 力扣(LeetCode))
206. 反转链表 - 力扣(LeetCode)
思路:
就是用双指针进行反转
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode reverseList(ListNode head) {
ListNode current=head;
ListNode pre=null;
ListNode tmp;
while(current!=null){
tmp=current.next;
current.next=pre;
pre=current;
current=tmp;
}
return pre;
}
}
234. 回文链表 - 力扣(LeetCode)
思路:
快慢指针找中点 slow 走一步,fast 走两步,最后 slow 指向链表中点。
反转后半段 链表 把 slow.next 开始的后半段反转。
前后两段逐一比较前半段从头开始,后半段从反转后的头开始,一一对比。
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public boolean isPalindrome(ListNode head) {
if(head ==null || head.next==null) return true;
//根据快慢指针找到中点
ListNode slow=head;
ListNode fast=head;
while(fast.next!=null && fast.next.next!=null){
slow=slow.next;
fast=fast.next.next;
}
//反转后半段部分
ListNode right=reverse(slow.next);
ListNode left=head;
//进行比对
while(right!=null && left!=null){
if(right.val!=left.val) {
return false;
}
right=right.next;
left=left.next;
}
return true;
}
public ListNode reverse(ListNode head){
ListNode pre=null;
ListNode cur=head;
while(cur!=null){
ListNode tmp=cur.next;
cur.next=pre;
pre=cur;
cur=tmp;
}
return pre;
}
}