我正在使用Visual Studio 2015开发C ++静态库。

我有以下结构:

struct ConstellationArea
{
    // Constellation's abbrevation.
    std::string abbrevation;
    // Area's vertices.
    std::vector<std::string> coordinate;

    ConstellationArea(std::string cons) : abbrevation(cons)
    {}
};


我在一段时间内使用它(请注意该方法尚未结束):

vector<ConstellationArea>ConstellationsArea::LoadFile(string filePath)
{
    ifstream constellationsFile;
    vector<ConstellationArea> areas;

    string line;
    ConstellationArea area("");
    string currentConstellation;

    // Check if path is null or empty.
    if (!IsNullOrWhiteSpace(filePath))
    {
        constellationsFile.open(filePath.c_str(), fstream::in);

        // Check if I can open it...
        if (constellationsFile.good())
        {
            // Read file line by line.
            while (getline(constellationsFile, line))
            {
                vector<string> tokens = split(line, '|');

                if ((currentConstellation.empty()) ||
                    (currentConstellation != tokens[0]))
                {
                    currentConstellation = tokens[0];

                    areas.push_back(area);

                    area(tokens[0]);
                }
            }
        }
    }

    return areas;
}


我想在area更改时创建一个新的tokens[0]对象,但是我不知道该怎么做。

此语句area(tokens[0]);引发以下错误:


  调用没有任何转换函数的类类型的对象,或者
  operator()适合函数指针的类型


需要时如何创建新结构?

我是C#开发人员,我不知道如何在C ++中做到这一点。

最佳答案

ConstellationArea(std::string cons)是构造函数,必须在对象初始化期间调用。

因此,具有ConstellationArea area("foo")是合法的,因为您正在初始化对象。

但是area("foo")不是initialization,实际上是对象上operator()的调用。在这种情况下,编译器将寻找未定义的ConstellationArea::operator()(std::string str)

您必须初始化另一个对象并将其分配给变量,例如

area = ConstellationArea(tokens[0])


这将创建另一个对象,然后通过copy assignment operatorConstellationArea& ConstellationArea::operator=(const ConstellationArea& other)为其分配值,默认情况下提供该值。

10-07 23:33