目录
给你单链表的头结点 head
,请你找出并返回链表的中间结点。
如果有两个中间结点,则返回第二个中间结点。
示例 1:
输入:head = [1,2,3,4,5] 输出:[3,4,5] 解释:链表只有一个中间结点,值为 3 。
示例 2:
输入:head = [1,2,3,4,5,6] 输出:[4,5,6] 解释:该链表有两个中间结点,值分别为 3 和 4 ,返回第二个结点。
提示:
链表的结点数范围是 [1, 100]
1 <= Node.val <= 100
遍历链表利用数组存放对应节点,遍历结束返回中间节点。
class Solution { public ListNode middleNode(ListNode head) { ListNode[] nodes = new ListNode[100]; int index = 0; while (head != null) { nodes[index++] = head; head = head.next; } return nodes[index / 2]; } }
时间复杂度:O(N)
空间复杂度:O(N)
快指针是慢指针的2倍。快指针在末尾的时候,慢指针指向的节点就是要返回的。
class Solution { public ListNode middleNode(ListNode head) { ListNode slow = head, fast = head; while (fast != null && fast.next != null) { slow = slow.next; fast = fast.next.next; } return slow; } }
时间复杂度:O(N)
空间复杂度:O(1)