从 'YAML::Node' 类型的右值初始化 'YAML::Node&' 类型的非常量引用无效

Invalid initialization of non-const reference of type 'YAML::Node&' from an rvalue of type 'YAML::Node'

我正在编写一个函数,它将加载值并将值保存到 .yaml 文件中(取决于 toggle 输入是什么;'S' 用于保存,'L'负载)。由于某种原因,我在行中收到 Invalid initialization of non-const reference of type 'YAML::Node&' from an rvalue of type 'YAML::Node' 错误:

YAML::Node& child = parent[*currentToken];

我在网上找到的解决方案是通过添加const关键字使其保持常量。然而,正如我之前所说,我也需要能够保值。因此,我必须能够修改节点并且不能使其成为常量。我对现在应该做什么感到有些迷茫。我的代码为 .yaml 文件中的第一个节点和最后一个节点接受了一个迭代器。这是我的代码:

bool ReadParameter(YAML::Node& parent,
        boost::tokenizer< boost::char_separator< char > >::iterator& currentToken,
        const boost::tokenizer< boost::char_separator< char > >::iterator& lastToken, float& value,
        char toggle) {

    /*
     * When we reach the last token, the distance between the iterators is 1. At this point we must
     * check to see if the token node exists in the yaml file. If it does store the value associated
     * with the token key in the variable `value` to load or store the value back into the yaml file to save.
     */
    if (distance(currentToken, lastToken) == 1) {
        if (parent[*(currentToken)].IsScalar()) {
            if (toggle == 'L') { // Load
                value = parent[*(currentToken)].as< float >();
            }
            else if (toggle == 'S') { // Save
                parent[*(currentToken)] = value;
            }
            return true;
        } else {
            printf("Key %s does not give a scalar value.\n", (*currentToken).c_str());
            return false;
        }
    }

    // If the node is a map, get it's child. Else, our path does not exist.
    if (parent.IsMap()) {
        YAML::Node& child = parent[*currentToken];

        // If there is no child node, return false
        if (child.IsNull()) {
            printf("There are no more child nodes.\n");
            return false;
        }

        // Iterate to the next token.
        return ReadParameter(child, ++currentToken, lastToken, value, toggle);
    } else {
        printf("Too many parameters, the parameter path is incorrect.\n");
        return false;
    }

}

YAML::Node 已经是引用语义类型。无需将 YAML::Node 的实例绑定到引用。它们被设计成按值传递,但表现得像引用。例如:

YAML::Node a = 42;
YAML::Node b = a;
b = 43; // both a and b now contain the value 43

parent[*currentToken] returns a YAML::Node 按值,因此它不能绑定到非常量左值引用,因为这意味着绑定到临时对象。

所以删除 &,这是设计使用的方式:

YAML::Node child = parent[*currentToken];

第一行:

bool ReadParameter(YAML::Node parent,