我只是从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 comment),因此它仍应打印一些内容。但是,如果未打印任何内容,则集合clusterEntry->clusterPointArray可能为空,并且for循环内的代码可能永远不会执行。

希望这可以帮助,
拉兹万

09-30 15:33