Reverse a singly linked list.
将链表颠倒,刚开始我是的思路是对原先链表进行遍历,在遍历的过程中将遍历过的元素存放在一个新的链表中,新的链表使用头插法进行插入新的节点,这样的话因为头插法的缘故,新的链表就会和原来的链表顺序相反了。但是效率就比较低,因为是凭空创建了一条链表。
class Solution {
public:
ListNode* reverseList(ListNode* head) {
if(head) {
ListNode* tail = new ListNode(0);
tail->val = head->val;
ListNode* start = head->next;
while(start) {
ListNode* node = new ListNode(0);//创建一个新节点
node->val = start->val;//对新节点赋值
node->next = tail;
tail = node;
start = start->next;
}
return tail;
} else {
return NULL;
}
}
};
后来又有了新的思路,使用三个指针分别指向当前节点和该节点的前后,然后直接在原有的链表中进行调整,效率提升了不少。
#include <iostream>
using namespace std;
struct ListNode {
int val;
ListNode *next;
ListNode(int x) : val(x), next(NULL) {}
};
class Solution {
public:
ListNode* reverseList(ListNode* head) {
/*if(head) {//创建一个链表,使用头插法。
ListNode* tail = new ListNode(0);
tail->val = head->val;
ListNode* start = head->next;
while(start) {
ListNode* node = new ListNode(0);//创建一个新节点
node->val = start->val;//对新节点赋值
node->next = tail;
tail = node;
start = start->next;
}
return tail;
} else {
return NULL;
}*/
if(!head) {
return NULL;
}
ListNode* p1 = head;
ListNode* p2 = head->next;
ListNode* p3;
p1->next = NULL;
while(p2) {
p3 = p2->next;
p2->next = p1;
p1 = p2;
p2 = p3;
}
return p1;
}
};
int main() {
Solution s;
ListNode node1(1);
ListNode node2(2);
ListNode node3(3);
ListNode node4(4);
node1.next = &node2;
node2.next = &node3;
node3.next = &node4;
ListNode * p = s.reverseList(&node1);
while(p) {
cout << p->val;
p = p->next;
}
}