删除单链表倒数第n个节点

时间:2022-04-16 15:39:48

基本问题

如何删除单链表中的倒数第n个节点?

常规解法

先遍历一遍单链表,计算出单链表的长度,然后,从单链表头部删除指定的节点。

代码实现

  1. /**
  2. *
  3. * Description: 删除单链表倒数第n个节点,常规解法.
  4. *
  5. * @param head
  6. * @param n
  7. * @return ListNode
  8. */
  9. public static ListNode removeNthFromEnd(ListNode head, int n) {
  10. if (head == null)
  11. return null;
  12. //get length of list
  13. ListNode p = head;
  14. int len = 0;
  15. while (p != null) {
  16. len++;
  17. p = p.next;
  18. }
  19. //if remove first node
  20. int fromStart = len - n + 1;
  21. if (fromStart == 1)
  22. return head.next;
  23. //remove non-first node
  24. p = head;
  25. int i = 0;
  26. while (p != null) {
  27. i++;
  28. if (i == fromStart - 1) {
  29. p.next = p.next.next;
  30. }
  31. p = p.next;
  32. }
  33. return head;
  34. }

一次遍历法

使用快慢指针。快指针比慢指针提前n个单元。当快指针到达单链表尾部时,慢指针指向待删除节点的前节点。

代码实现

  1. /**
  2. *
  3. * Description: 删除单链表倒数第n个节点,快慢指针法.
  4. *
  5. * @param head
  6. * @param n
  7. * @return ListNode
  8. */
  9. public static ListNode removeNthFromEnd(ListNode head, int n) {
  10. if (head == null)
  11. return null;
  12. ListNode fast = head;
  13. ListNode slow = head;
  14. for (int i = 0; i < n; i++) {
  15. fast = fast.next;
  16. }
  17. //if remove the first node
  18. if (fast == null) {
  19. head = head.next;
  20. return head;
  21. }
  22. while (fast.next != null) {
  23. fast = fast.next;
  24. slow = slow.next;
  25. }
  26. slow.next = slow.next.next;
  27. return head;
  28. }