掌握构造/析构函数的应用,并掌握构造函数的重载。
要求1:定义链表类及其节点类,并定义各自的构造与析构函数;
要求2:在类的构造/析构函数中输出信息,观察构造/析构过程;
要求3:在链表上实现节点的插入与删除;
要求4:要求能够为节点正确的动态申请空间与释放空间
#include<iomanip>
#include<iostream>
#include<string>
using namespace std;
struct Node
{
int data;
Node* next=NULL;
};
class Link
{
public:
Node* head;
int num = 0;
Link() {
Node* head = new Node;
head->next= NULL;
}
~Link(){}
void insert()
{
int i;
cout << "请输入要插入的元素:" << endl;
cin >> i;
if (head == NULL)
{
Node* node = new Node;
node->data = i;
node->next = NULL;
head=node;
}
else
{
Node *node = new Node;
node->data = i;
node->next = head;
head = node;
}
num++;
cout << "插入成功!" << endl;
}
void pop()
{
if (head == NULL)
{
cout << "链表已空,无法删除!" << endl;
}
else
{
Node* node = head;
head=head->next;
delete node;
num--;
cout << "删除成功!" << endl;
}
}
void print()
{
if (num==0)
cout << "链表为空!"<<endl;
else
{
Node* temp = head->next;
while (temp != NULL)
{
cout << temp->data << endl;
temp = temp->next;
}
cout << "打印完成!" << endl;
}
}
};
int main()
{
Link li;
int n;
cout << "请输入你的选择:1--插入结点 2--删除结点 3--遍历链表 4--退出,你的选择是:" << endl;
cin >> n;
while (n !=5)
{
if (n == 1)
{
li.insert();
}
else if (n == 2)
{
li.pop();
}
else if (n == 3)
{
li.print();
}
else
break;
cout << "请输入你的选择:1--插入结点 2--删除结点 3--遍历链表 4--退出,你的选择是:" << endl;
cin >> n;
}
}