1. 反转链表
描述:
输入一个链表,反转链表后,输出新链表的表头。
思路:
(1)如果只有一个节点,返回head
(2)此时有两个或以上节点,用cur(代表当前要头插的节点)指向head节点(或者直接指向head.next),curNext指向cur的下一个节点cur.next
(3)反转后头结点就是尾结点,所以cur.next=null,cur后移一位cur=curNext(直接指向head.next,就不用后移了)
(4)循环进行头插法,curNext先指向cur后一位,curNext=cur.next, 头插法cur.next=head,此时新的头就是cur,head=cur,
cur后移一位cur=curNext
(5)循环直到cur=null,此时head就是翻转前最后一个节点,也就是反转后头结点,return head
public class Solution {
public ListNode ReverseList(ListNode head) {
if(head == null || head.next == null){
return head;
}
ListNode cur = head.next;
cur.next = null;
while(cur != null){
cur.next = head;
head = cur;
cur = cur.next;
}
return head;
}
}
2. 链表分割
描述:
现有一链表的头指针 ListNode* pHead,给一定值x,编写一段代码将所有小于x的结点排在其余结点之前,且不能改变原来的数据顺序,返回重新排列后的链表的头指针。
思路:
(1)先令cur=head,把链表分成两段,第一段为小于目标值得,第二段为大于等于目标值的
(2)让cur遍历链表并判断节点放入哪一段里,直到cur==null;
(3)若cur.val<x,把cur尾插法到第一段里(分为是否第一次,如是第一次放进去就行了),若cur.val>=x,一样的方法
(4)循环结束后把第二段尾插到第一段最后就行了,返回bs
(5)最后要判断所有节点都在某一段的情况,若都在第二段,头结点就应是as
(6)在判断若第二段有节点,则要把第二段ae.next设为null,防止链表成环
public class Partition {
public ListNode partition(ListNode pHead, int x) {
ListNode cur = pHead;
ListNode bs = null;
ListNode be = null;
ListNode as = null;
ListNode ae = null;
while(cur != null){
if(cur.val < x){
if(bs == null){
bs = cur;
be = cur;
}else{
be.next = cur;
be = be.next;
}
}else{
if(as == null){
as = cur;
ae = cur;
}else{
ae.next = cur;
ae = ae.next;
}
}
cur = cur.next;
}
if(bs == null){
return as;
}
be.next = as;
if(as != null){
ae.next = null;
}
return bs;
}
}
3. 环形链表
描述:
给定一个链表,判断链表中是否有环。
如果链表中有某个节点,可以通过连续跟踪 next 指针再次到达,则链表中存在环。 为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。注意:pos 不作为参数进行传递,仅仅是为了标识链表的实际情况。
思路:
(1)使用快慢指针的思路,如果有环那么两个指针一定会遇到(操场跑圈,一个快一个慢一定会遇到)
(2)一直循环直到fast==null或者fast.next==null,说明没环,return false
public class Solution {
public boolean hasCycle(ListNode head) {
ListNode fast = head;
ListNode slow = head;
while(fast != null && fast.next != null){
fast = fast.next.next;
slow = slow.next;
if(fast == slow){
return true;
}
}
return false;
}
}