如何使用类创建链接列表



我正在尝试使用class编写一个链表,我希望它具有特定的格式。

例如,如果我有三个名为p1、p2和p3的数据,以及一个名为list的链表;我想把它们像吹一样整理好。

list。插入(p1(。插入(p2(,插入(p3(;

我试图归还这个物体,但没有成功。这是我的密码。


#include<iostream>
using namespace std;
class linked_list {
public:
int *head;
linked_list();
~linked_list();
linked_list  insert(int data);
};
linked_list::linked_list()
{
head = NULL;
}
linked_list::~linked_list()
{
int *temp;
int *de;
for (temp = head;temp != NULL;) {
de = temp->next;
delete temp;
temp = de;
}
delete temp;
//delete de;
}
linked_list  linked_list::insert(int data)
{
int *temp;
temp = new int;
*temp = data;
temp->next = NULL;
if (head == NULL) {
head = temp;
}
else {
int* node = head;
while (node->next != NULL) {
node = node->next;
}
node->next = temp;
//  delete node;
}
//delete temp;
return *this;

}
int main(){
linked_list l1;
int p1,p2,p3;
l1.insert(p1).insert(p2).insert(p3);
return 0;}

@Jarod42得到了你的答案,尽管周围有很多bug,但你想要的是这样的东西。

要链接的函数必须返回对当前对象实例的引用。

这里有一个Foo类,它多次更改其_data成员和链。

#include <iostream>
class Foo
{
private:
int _data;
public:
Foo(int data) : _data(data) {}
~Foo()
{
}
// change the value of data then return a reference to the current Foo instance
Foo &changeData(int a)
{
_data = a;
return *this;
}
void printData()
{
std::cout << _data << std::endl;
}
};
int main()
{
Foo f(1);
f.changeData(2).changeData(3);
f.printData();
}

请注意,我将从链接的函数返回Foo&,这是您缺少的小技巧。

希望它能帮助你:(

相关内容

  • 没有找到相关文章

最新更新