https://leetcode-cn.com/problems/middle-of-the-linked-list/
思路:三种思路, ( 1 ) (1) (1)把每个节点(指针)都存到数组中,那么可以直接得到中间节点。 ( 2 ) (2) (2)先遍历一遍得到链表的长度,然后再从头开始遍历到中间位置。 ( 3 ) (3) (3)双指针,快指针每次走 2 2 2步,慢指针每次走 1 1 1步,快指针走到头的时候慢指针即为所求。以下是 ( 3 ) (3) (3)的实现代码。
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* middleNode(ListNode* head) {
if(!head)
return head;
ListNode *fast=head;
ListNode *slow=head;
while(fast){
fast=fast->next;
if(fast){
fast=fast->next;
slow=slow->next;
}
}
return slow;
}
};