下面的方法插入使用struct listNode的构造函数。

void list::insert(size_t i){
    if (head == nullptr){
        head = new listNode(nullptr,i);
        tail = head;
        ++len;
    }
    listNode* new_node = new listNode(nullptr,i);
    tail->next = new_node;
    tail = new_node;
}


listNode的定义

struct listNode{
        ////@: index into the input buffer
        listNode* next;
        size_t index;
};


除了这篇文章标题中给出的错误之外,我还得到了注释

 note: candidate constructor (the implicit copy constructor) not
      viable: requires 1 argument, but 2 were provided
struct listNode{


这对我来说没有意义。很明显,我在初始化时提供了两个参数,它应该使用参数和实际参数的词法绑定。

最佳答案

head = new listNode(nullptr,i);


这是错误的,因为listNode没有任何用户定义的构造函数。因此,您不能使用语法listNode(nullptr, i)构造一个。

使用

head = new listNode{nullptr, i}; // This is member-member wise initialization


同样,代替

listNode* new_node = new listNode(nullptr, i);


采用

listNode* new_node = new listNode{nullptr, i};

关于c++ - 没有用于初始化'listNode结构的匹配构造函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/50691440/

10-09 03:17