赞
踩
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* reverseList(ListNode* head) {
if((head == NULL) || (head->next == NULL)){
return head;
}
// 使用三个额外的指针记录
ListNode* p = head;
ListNode* q = head->next;
ListNode* r = (head->next)->next;
// 头节点变为尾节点,先将头结点指向NULL
p->next = NULL;
while(r != NULL){
// 反向指针
q->next = p;
// 三个指针向后移动一步
p = q;
q = r;
r = r->next;
}
// r为NULL时还要最后更改一个指向
q->next = p;
return q;
}
};
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* reverseList(ListNode* head) {
// 采用递归的方法,就是使用反转函数反转子链表,直接当做已经反转了。
if((head == NULL) || (head->next == NULL)){
return head;
}
else{
ListNode* son_list = reverseList(head->next);
// 子链表的尾节点指向前一个节点
head->next->next = head;
head->next = NULL;
return son_list;
}
}
};
链表的问题注意画出草稿图,理清楚指针的操作步骤就可以了。写递归程序最重要是把调用函数当做已经执行完了返回了值,然后需要做的后续工作,不用管递归的函数是怎样做的。
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。