赞
踩
在B站上学习C++服务器开发,第一节课结束的时候老师布置了一个小作业——实现链表逆序
好久没有接触C++了,大一的时候学过,到了大三忘的差不多了,所以想重新学学。接触过Java和python之后回过来看C++,感觉c++好麻烦。
实现链表逆序,首先要有一个链表,下面是链表的结构体:
- typedef struct listnode {
- int data;
- struct listnode* next;
- }listnode , *list;
实现思路:
1. 若链表为空或只有一个元素,则直接返回;
2. 设置两个前后相邻的指针p,q. 将p所指向的节点作为q指向节点的后继;
3. 重复2,直到q==NULL
4. 调整链表头和链表尾
示例:以逆序1->2->3->4为例,图示如下
完整实现代码:
- #include<iostream>
- using namespace std;
-
- typedef struct listnode {
- int data;
- struct listnode* next;
- }listnode , *list;
-
- void print(list head);
- list reverse(list head);
- list fill(list head); //默认用1-10填充链表
-
- int main()
- {
- //初始化链表头节点
- listnode* head;
- head = (listnode*)malloc(sizeof(listnode));
- head->next = NULL;
- head->data = -1;
- list linklist = fill(head);
- print(head);
- reverse(head);
- print(head);
- getchar();
- return 0;
- }
-
- list reverse(list head)
- {
- if (head->next == NULL || head->next->next == NULL)
- {
- return head; /*链表为空或只有一个元素则直接返回*/
- }
-
- list t = NULL;
- list p = head->next;
- list q = head->next->next;
- while (q != NULL)
- {
- t = q->next;
- q->next = p;
- p = q;
- q = t;
- }
-
- /*此时q指向原始链表最后一个元素,也是逆转后的链表的表头元素*/
- head->next->next = NULL; /*设置链表尾*/
- head->next = p; /*调整链表头*/
- return head;
- }
-
- list fill(list head)
- {
- listnode *p, *q;
- p = head;
- for (int i = 0; i < 10; i++)
- {
- q = (listnode*)malloc(sizeof(listnode));
- q->data = i + 1;
- q->next = NULL;
- p->next = q;
- p = q;
- }
- return head;
- }
-
- void print(list head)
- {
- list p;
- p = head->next;
- while(p != NULL)
- {
- cout << p->data << " ";
- p = p->next;
- }
- cout << endl;
- }
执行结果:
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。