我在这里有误会。我正在设计一个队列类,它使用客户端类作为基本单元。列表结构由指向下一个数据的指针和用于保存Client对象的变量组成 Queue类有两种操作方式。它的运行方式由 bool MODE 变量决定。如果mode等于1,则Queue类使用placement new运算符,如果不是,则使用new运算符。
这是Queue类的原型:
class Queue
{
private:
const int max_lists;
int no_lists, counter;
char client_value;
list *chunk;
list *top;
const bool MODE;
void addFirst(const Client &c);
void addLast(const Client &c);
void deleteLast();
void deleteFirst();
void clean_mem();
void clean_mem(list *&pos);
list* malloc();//T* type
public:
Queue();
Queue(list *buffer,int no);
Queue(const Queue &q);
Queue& operator=(const Queue &q);
~Queue() { clean_mem(); }
void enqueue(const Client &c);
void timeoutCustomers();
void decreaseTimeout();
Client getCustomer() const;
void finishCustomer();
void show() const;
};
导致错误的函数定义如下:
void Queue::addFirst(const Client &c)
{
if(top==nullptr)
{
top = malloc();
top->info = c;
top->next = nullptr;
}
else
{
list *add = malloc();
add->info = c;
add->next = top;
top = add;
}
}
list* Queue::malloc()
{
if(MODE)
{
if(no_lists==max_lists)
{
return nullptr;
}
else
{
list *tmp = chunk;
counter = 0;
while(counter++<max_lists)
{
client_value = (char)tmp->info;
if(client_value==-1 && tmp->next==nullptr)
{
return new(tmp) list;
}
tmp++;
}
return nullptr;
}
}
else
{
return new list;
}
}
这是列表结构:
struct list { Client info; list *next; };
当我创建Queue类的实例时,我可以选择是继续放置new还是仅使用new运算符。
如果我选择新的贴图,我必须发送一个类型列表数组的地址。地址保存到块指针中。顶部指针保存链表的第一个地址。 然后,如果我调用addFirst()函数,它将停在top-&gt; info = c。错误指向top-&gt; info:
CXX0030: Error: Expression cannot be evaluated.
但是当我切换回新操作员时,一切正常。这告诉我在已经分配的内存中分配新部分存在问题。
有人能告诉我这里的问题吗?
答案 0 :(得分:0)
您是否打算使用这样的malloc功能?在函数定义之后有一个'else'块,而不是所有控制路径都返回一个值。我在这里有一个改写,似乎与我认为你真正想要的更符合:
list* Queue::malloc()
{
if(MODE)
{
if(no_lists==max_lists)
{
return nullptr;
}
else
{
list *tmp = chunk;
counter = 0;
while(counter++<max_lists)
{
client_value = (char)tmp->info;
if(client_value==-1 && tmp->next==nullptr)
{
return new(tmp) list;
}
tmp++;
}
return nullptr;
}
}
else
{
return new list;
}
}