所以我有这个链表类,它在功能上做得很好,但是在实际内存使用方面非常恶心(泄漏,到处都是泄漏)。
因此,我将在其中实现一个基本的智能指针类,以便更好地处理内存,但是我在这个想法的实际实现部分遇到了一些粗略的问题。
我只特别包含了我认为与该问题相关的内容,但是,如果未包含任何可能证明有用的部分,请询问,我可以发布整个内容。
主.cpp:
int main()
{
smartLinkedList<char*> moo2;
moo2.insertAtFront("tail");
moo2.insertAtFront("one");
moo2.insertAtFront("head");
for(int j = 0; j < moo2.length() ; j++)
cout << moo2.goToFromFront(j) << endl;
cin.ignore(1);
return 0;
}
smartLinkedList.h:
template <class type>
class smartLinkedList
{
private:
int size;
sPtr<node<type>> head;
public:
smartLinkedList(): head(NULL), size(0) {}
bool insertAtFront(type obj)
{
sPtr<node<type>> temp(new node<type>);
temp->data = obj;
temp->next = head.get();
//For future reference, &*head = head.get()
head = temp;
//delete temp;
size++;
return true;
}
type goToFromFront(int index)
{
sPtr<node<type>> temp = head;
for(int i = 0; i < index; i++)
{
temp = temp->next;
if(temp->next == NULL)
return temp->data;
}
return temp->data;
}
};
智能指针.h:
#pragma once
class referenceCount
{
private:
int count;
public:
void add()
{
count++;
}
int release()
{
return --count;
}
};
//for non-learning purposes, boost has a good smart pointer
template <class type>
class sPtr
{
private:
type *p;
referenceCount *r;
public:
sPtr()
{
p = NULL;
r = new referenceCount();
r->add();
}
sPtr(type *pValue)
{
p = pValue;
r = new referenceCount();
r->add();
}
sPtr(const sPtr<type> & sp)
{
p = sp.p;
r = sp.r;
r->add();
}
~sPtr()
{
if(r->release() == 0)
{
delete p;
delete r;
}
}
type* get()
{
return p;
}
type& operator*()
{
return *p;
}
type* operator->()
{
return p;
}
sPtr<type>& operator=(const sPtr<type>& sp)
{
if (this != &sp) //self assignment
{
/*if(r->release() == 0)
{
delete p;
delete r;
}*/ //this will cause an error when you take something with no references and set it equal to something
p = sp.p;
r = sp.r;
r->add();
}
return *this;
}
};
节点.h:
#pragma once
template <class type>
struct node
{
type data;
node *next;
node()
{
next = NULL;
}
};
从链表的 goToFromFront(int) 中的 if 语句中专门抛出“无法从 0xfdfdfe01 读取”的行,其中,在主循环中的点 j = 2 处抛出错误。在查看 MSVS2010 调试器时,temp->next 是未知的(CXX0030:错误,无法评估表达式),在我看来它应该转换为 null,但表达式首先抛出无法读取错误。
老实说,我不确定我做错了什么,因为这对我来说都是一个学习过程,任何批评都会受到高度赞赏。提前致谢!