24 两两交换链表中的结点
给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。
方法一 使用三个临时值来交换结点
class Solution {
public ListNode swapPairs(ListNode head) {
ListNode dumyHead = new ListNode(); //虚拟头节点
dumyHead.next = head;
ListNode cur = dumyHead;
ListNode tmp; //临时结点
ListNode node1;
ListNode node2;
while(cur.next!=null && cur.next.next !=null){ //防止空指针
/**
*操作,cur指向第二个结点,第二个结点指向第一个结点,第一个结点指向第三个结点 移动cur
*/
tmp = cur.next.next.next;
node1 = cur.next;
node2 = cur.next.next;
cur.next = node2;
node2.next = node1;
node1.next = tmp;
cur = node1;
}
return dumyHead.next;
}
}
方法二 采用递归
只需要考虑递归第一级的返回值 不用考虑之后的
1.终止条件 2.返回值 3.本级递归应该做什么
class Solution {
public ListNode swapPairs(ListNode head) {
if(head == null || head.next == null){
return head;
}
ListNode node1 = head.next;
head.next = swapPairs(node1.next);
node1.next = head;
return node1;
}
}
19 删除链表的倒数第N个结点
给你一个链表,删除链表的倒数第 n 个结点,并且返回链表的头结点。
思路:采用双指针,快慢指针来删除链表的结点
class Solution {
public ListNode removeNthFromEnd(ListNode head, int n) {
ListNode dumyhead = new ListNode();
dumyhead.next = head;
ListNode fast = dumyhead;
ListNode slow = dumyhead;
for(int i = 0; i<=n;i++){
fast = fast.next;
}
while(fast!=null){
fast = fast.next;
slow = slow.next;
}
if(slow.next != null){
slow.next = slow.next.next;
}
return dumyhead.next;
}
}
106 链表相交
给你两个单链表的头节点 headA 和 headB ,请你找出并返回两个单链表相交的起始节点。如果两个链表没有交点,返回 null 。
public class Solution {
public ListNode getIntersectionNode(ListNode headA, ListNode headB) {
ListNode h1 = headA,h2 = headB;
while(h1!=h2){
h1 = h1!=null ? h1.next:headB; //为空h1重新指向链表B的头部
h2 = h2!=null ?h2.next :headA;//为空h2重新指向链表A的头部
}
return h1;
}
}
142 环形链表
给定一个链表,返回链表开始入环的第一个节点。 如果链表无环,则返回 null。
这个直接看视频 我感觉也不是很懂 有时间复盘一下
把环形链表讲清楚! 如何判断环形链表?如何找到环形链表的入口? LeetCode:142.环形链表II_哔哩哔哩_bilibili
环形链表II【基础算法精讲 07】_哔哩哔哩_bilibili
public class Solution {
public ListNode detectCycle(ListNode head) {
if(head == null || head.next == null) return null;
ListNode slow = head;
ListNode fast = head;
while(fast != null && fast.next != null){
slow = slow.next;
fast = fast.next.next;
if(fast ==slow){
while(slow != head){
slow = slow.next;
head = head.next;
}
return slow;
}
}
return null;
}
}