无法从 C++ 中的类获取值

Cannot get the value from a class in C++?

本文关键字:获取 C++      更新时间:2023-10-16

我刚从Java和Python世界来到C++世界,在尝试从类的公共const函数中获取值时遇到了一个问题。

我有一个课程如下:

class CMDPoint
{
public:
    CMDPoint();
    CMDPoint(int nDimensions);
    virtual ~CMDPoint();
private:
    int m_nDimensions;      // the number of dimensions of a point
    float* m_coordinate;    // the coordinate of a point
public:
    const int GetNDimensions() const { return m_nDimensions; }
    const float GetCoordinate(int nth) const { return m_coordinate[nth]; }
    void SetCoordinate(int nth, float value) { m_coordinate[nth] = value; }
};

最终,我希望将所有clusterPoint clusterPointArray写入文件。但是,现在我只是用第一个clusterPoint对其进行测试(因此,GetCoordinate(0) (。

ofstream outFile;
outFile.open("C:\data\test.txt", std::ofstream::out | std::ofstream::app);
for (std::vector<CMDPoint> ::iterator it = clusterEntry->clusterPointArray.begin(); it   != clusterEntry->clusterPointArray.end(); ++it)
{
    outFile << ("%f", (*it).GetCoordinate(0)); // fails
    outFile << " ";
}
outFile << "n";
outFile.close();

问题是我只看到文件中的" "。未写入任何坐标。从const float GetCoordinate(int nth)获取值时我做错了什么吗?

尝试更改此设置

outFile << ("%f", (*it).GetCoordinate(0)); // fails

对此:

outFile << (*it).GetCoordinate(0); // OK

因为("%f", (*it).GetCoordinate(0))不表示任何内容,只表示用,分隔的表达式的枚举。我认为它不会像在 java 中那样被评估为一对对象。

编辑:("%f", (*it).GetCoordinate(0))实际上计算到最后一个(*it).GetCoordinate(0)元素(PlasmaHH注释(,因此它仍然应该打印一些东西。但是,如果未打印任何内容,则集合clusterEntry->clusterPointArray可能为空,并且 for 循环中的代码可能永远不会执行。

希望这有帮助,拉兹万。

outFile << it->GetCoordinate(0);