单链表的逆置
将单链表逆置: data:image/s3,"s3://crabby-images/7f8e4/7f8e4ebda0677063a39e27be9cc6362593c27887" alt="在这里插入图片描述" 定义一个前指针和一个后指针用来辅助工作指针
#ifndef LINKLIST_H_INCLUDED
#define LINKLIST_H_INCLUDED
struct Node{
int data;
Node *next;
};
class LinkList{
public:
LinkList(int *arr,int n);
~LinkList();
void printList();
void inverseList();
private:
Node *first;
};
#endif
#include "LinkList.h"
#include <iostream>
using namespace std;
LinkList::LinkList(int *arr,int n){
first=new Node;
Node *s=NULL;
first->data=arr[0];
Node *rear=first;
for(int i=1;i<n;i++){
s=new Node;
s->data=arr[i];
rear->next=s;
rear=s;
}
rear->next=NULL;
}
LinkList::~LinkList(){
Node *p=first;
while(p){
first=first->next;
delete p;
p=first;
}
}
void LinkList::printList(){
Node *p=first;
while(p){
cout<<p->data<<" ";
p=p->next;
}
cout<<endl;
}
void LinkList::inverseList(){
Node *pre=NULL;
Node *rear=first;
Node *p=first;
while(p){
rear=rear->next;
p->next=pre;
pre=p;
p=rear;
}
first=pre;
}
data:image/s3,"s3://crabby-images/9c37a/9c37a0bbe00b611c730c6926d0a59499dd1f32a2" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/f87ad/f87ad4b9cb734465539d2f68d48c7dc9852c84e5" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/a982a/a982a58b35f4ea8e7e0b40504f31d36c1e4b98cd" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/f4f21/f4f21a8bf64eb8e9744525f4196b1583771cf4c4" alt="在这里插入图片描述"
|