我已经看到类似的问题,并尝试了解决方案,但对它们的答案似乎没有用。我有以下代码:

.h

#include <iostream>
#include <vector>
#include <string>
using std::string; using std::vector;

struct DialogueNode;

struct DialogueOption   {
    string text;
    DialogueNode *next_node;
    int return_code;

    DialogueOption(string t, int rc, DialogueNode * nn) : text{t},
        return_code{rc}, next_node{nn}   {}
};

struct DialogueNode {
    string text;
    vector <DialogueOption> dialogue_options;
    DialogueNode();
    DialogueNode(const string &);
};

struct DialogueTree {
    DialogueTree()  {}
    void init();
    void destroyTree();

    int performDialogue();
private:
    vector <DialogueNode*> dialogue_nodes;
};

.cpp
#include "dialogue_tree.h"

DialogueNode::DialogueNode(const string &t) : text{t} {}

void DialogueTree::init()   {
    string s = "Hello";
    for(int i = 0; i < 5; i++)  {
        DialogueNode *node = new DialogueNode(s);
        dialogue_nodes.push_back(node);
        delete node;
    }
}

void DialogueTree::destroyTree()    {

}

int DialogueTree::performDialogue() {
    return 0;
}

int main()  {
    return 0;
}

我收到错误:error: no matching function for call to ‘DialogueNode:: DialogueNode(std::__cxx11::string&)’ DialogueNode *node = new DialogueNode(s);
编辑有关错误的其他说明
dialogue_tree.h:17:8: note: candidate: DialogueNode::DialogueNode()
dialogue_tree.h:17:8: note:   candidate expects 0 arguments, 1 provided
dialogue_tree.h:17:8: note: candidate: DialogueNode::DialogueNode(const DialogueNode&)
dialogue_tree.h:17:8: note:   no known conversion for argument 1 from ‘std::__cxx11::string {aka std::__cxx11::basic_string<char>}’ to ‘const DialogueNode&’
dialogue_tree.h:17:8: note: candidate: DialogueNode::DialogueNode(DialogueNode&&)
dialogue_tree.h:17:8: note:   no known conversion for argument 1 from ‘std::__cxx11::string {aka std::__cxx11::basic_string<char>}’ to ‘DialogueNode&&’

这对我来说毫无意义,因为我已定义了构造函数以string作为参数。

最佳答案

您已将构造函数声明为:

DialogueNode(const string);

但将其定义为:
DialogueNode(const string &t);

那两个是不一样的。前者采用const string,而后者采用const string引用。您必须添加&来指定引用参数:
DialogueNode(const string &);

09-06 14:06