JZ6 输入一个链表的头节点,按链表从尾到头的顺序返回每个节点的值(用数组返回)。
思路:写一个递归函数,把链表反转过来
class Solution {
public:
void recursion(ListNode* head, vector<int>& res){
if(head != NULL){
recursion(head->next, res);
res.push_back(head->val);
}
}
vector<int> printListFromTailToHead(ListNode* head) {
vector<int> res;
recursion(head, res);
return res;
}
};
JZ24 反转链表给定一个单链表的头结点pHead(该头节点是有值的,比如在下图,它的val是1),长度为n,反转该链表后,返回新链表的表头。
class Solution {
public:
ListNode* ReverseList(ListNode* pHead) {
if(pHead==NULL || pHead->next==NULL){
return pHead;
}
ListNode* ans = ReverseList(pHead->next);
pHead->next->next = pHead;
pHead->next = NULL;
return ans;
}
};
JZ25 合并两个排序的链表
输入两个递增的链表,单个链表的长度为n,合并这两个链表并使新链表中的节点仍然是递增排序的。
数据范围: 0 \le n \le 10000≤n≤1000,-1000 \le 节点值 \le 1000−1000≤节点值≤1000
要求:空间复杂度 O(1)O(1),时间复杂度 O(n)O(n)
class Solution {
public:
ListNode* Merge(ListNode* pHead1, ListNode* pHead2) {
if(pHead1 == NULL) {
return pHead2;
}
if(pHead2 == NULL) {
return pHead1;
}
//每次比较两个链表当前节点的值,然后取较小值的链表指针往后,
//另一个不变,两段子链表作为新的链表送入递归中。
if(pHead1 ->val < pHead2 ->val){
pHead1->next = Merge(pHead1->next,pHead2);
//递归回来的结果我们要加在当前较小值的节点后面,
//相当于不断在较小值后面添加节点。
return pHead1;
}
else{
pHead2->next = Merge(pHead1,pHead2->next);
return pHead2;
}
}
};
JZ52 两个链表的第一个公共结点
如果两链表有公共节点,让l1访问完第一个链表再访问第二个,l2访问完第二个链表再访问第一个,他们第一次相遇的地方就是公共节点。
class Solution {
public:
ListNode* FindFirstCommonNode( ListNode* H1, ListNode* H2) {
ListNode* l1 = H1, *l2 = H2;
while(l1!=l2){
l1 = (l1==NULL) ?H2:l1->next;
l2 = (l2==NULL) ?H1:l2->next;
}
return l1;
}
};
JZ23 链表中环的入口结点
建hash表,存数据
class Solution {
public:
ListNode* EntryNodeOfLoop(ListNode* pHead) {
unordered_set<ListNode*> st;
while(pHead){
if(st.count(pHead)) return pHead;
st.insert(pHead);
pHead = pHead->next;
}
return nullptr;
}
};
JZ22 链表中倒数最后k个结点
快慢指针
class Solution {
public:
ListNode* FindKthToTail(ListNode* pHead, int k) {
ListNode* fast = pHead;
ListNode* slow = pHead;
for(int i = 0; i < k; i ++){
if(fast == NULL)
return slow=NULL;
fast = fast->next;
}
while(fast !=NULL){
fast = fast->next;
slow = slow->next;
}
return slow;
}
};
JZ76 删除链表中重复的结点
class Solution {
public:
ListNode* deleteDuplication(ListNode* pHead) {
if(pHead == NULL){
return NULL;
}
ListNode* res = new ListNode(0);
res->next = pHead;
ListNode* cur = res;
while(cur->next != NULL && cur->next->next !=NULL){
if(cur->next->val == cur->next->next->val){
int temp = cur->next->val;
while(cur->next != NULL && cur->next->val == temp){
cur->next = cur->next->next;
}
}
else cur = cur->next;
}
return res->next;
}
};
JZ18 删除链表的节点
class Solution {
public:
ListNode* deleteNode(ListNode* head, int val) {
ListNode* res = new ListNode(0);
res->next = head;
ListNode* pre = res;
ListNode* cur = head;
while(cur->next != NULL){
if(cur->val == val){
pre->next = cur->next;
break;
}
pre = cur;
cur=cur->next;
}
return res->next;
}
};