力扣算法学习day03-3
19-删除链表的倒数第N个结点
题目
data:image/s3,"s3://crabby-images/b15a6/b15a634512492c9e287eea1b566e2e1631410a16" alt="image-20220123203504399"
data:image/s3,"s3://crabby-images/a8ec0/a8ec0ab83932189626f3b49d2d31c3359db72ed7" alt="image-20220123203701833"
代码实现
class Solution {
public ListNode removeNthFromEnd(ListNode head, int n) {
ListNode node = new ListNode(0,head);
ListNode pre = node;
ListNode cur = node;
while(n-- >= 0){
cur = cur.next;
}
while(cur != null){
pre = pre.next;
cur = cur.next;
}
pre.next = pre.next.next;
return node.next;
}
}
面试题02.07.-链表相交
题目
data:image/s3,"s3://crabby-images/dea8f/dea8f1e82b4614853eb6687ed14bdac6bd64a7d9" alt="image-20220123215713785"
data:image/s3,"s3://crabby-images/57268/57268b8f1da1fd93c6c3cfd13591a8d42d637966" alt="image-20220123215756301"
data:image/s3,"s3://crabby-images/b810f/b810f032cbd3ae73c78f109b9f4f26123d154c17" alt="image-20220123215844420"
代码实现
public class Solution {
public ListNode getIntersectionNode(ListNode headA, ListNode headB) {
int lengthA = 0;
int lengthB = 0;
ListNode nodeA = headA;
ListNode nodeB = headB;
while(nodeA != null){
nodeA = nodeA.next;
lengthA++;
}
while(nodeB != null){
nodeB = nodeB.next;
lengthB++;
}
int length = 0;
if(Math.max(lengthA,lengthB) == lengthA){
nodeA = headA;
nodeB = headB;
length = lengthA - lengthB;
} else {
nodeA = headB;
nodeB = headA;
length = lengthB - lengthA;
}
while(length > 0){
nodeA = nodeA.next;
length--;
}
while(nodeA != null){
if(nodeA == nodeB){
return nodeA;
}
nodeA = nodeA.next;
nodeB = nodeB.next;
}
return null;
}
}
142-环形链表II
题目
data:image/s3,"s3://crabby-images/b5f90/b5f9042e69c6d1e456c17394d96933f37e1cc501" alt="image-20220123231843533"
data:image/s3,"s3://crabby-images/54b90/54b90adf2ca6e6b27e9fdf3ad2e914cfc1a4e01b" alt="image-20220123231915353"
代码实现
public class Solution {
public ListNode detectCycle(ListNode head) {
if(head == null){
return null;
}
ListNode fast = head;
ListNode slow = head;
while(true){
if(fast.next == null || fast.next.next == null){
return null;
}
slow = slow.next;
fast = fast.next.next;
if(fast == slow){
break;
}
}
slow = head;
while(true){
if(fast == slow){
return fast;
}
slow = slow.next;
fast = fast.next;
}
}
}
|