饭不食,水不饮,题必须刷
C语言免费动漫教程,和我一起打卡! 《光天化日学C语言》
LeetCode 太难?先看简单题! 《C语言入门100例》
数据结构难?不存在的! 《数据结构入门》
LeetCode 太简单?算法学起来! 《夜深人静写算法》
给定一个头结点为 head 的非空单链表,返回链表的中间结点。如果有两个中间结点,则返回第二个中间结点。
样例输入: [ 1 , 2 , 3 , 4 , 5 , 6 ] [1,2,3,4,5,6] [1,2,3,4,5,6]
样例输出: [ 4 , 5 , 6 ] [4,5,6] [4,5,6]
ListNode
;val
和指针域next
。/**
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* middleNode(ListNode* head) {
}
};
LeetCode 876. 链表的中间结点
class Solution {
public:
int listCount(ListNode *head) { // (1)
ListNode *now = head;
int cnt = 0;
while(now) {
now = now->next;
++cnt;
}
return cnt;
}
ListNode* middleNode(ListNode* head) {
int cnt = listCount(head) / 2;
while(cnt--) { // (2)
head = head->next;
}
return head; // (3)
}
};
listCount
利用迭代的方式求出链表长度;求链表长度只能通过迭代,而且时间复杂度为 O ( n ) O(n) O(n)。