0

我需要阅读文本文件并将它们插入到向量中。我将其写入vector<KeyPoint>文本文件,如下所示:

vector<KeyPoint> kp_object;

std::fstream outputFile;
    outputFile.open( "myFile.txt", std::ios::out ) ;
    for( size_t ii = 0; ii < kp_object.size( ); ++ii ){
        outputFile << kp_object[ii].pt.x << " " << kp_object[ii].pt.y <<std::endl;
    }
    outputFile.close( );

当我将向量写入文件时,它看起来像这样:

121.812 223.574   
157.073 106.449
119.817 172.674
112.32 102.002
214.021 133.875
147.584 132.68
180.764 107.279

每行用空格隔开。

但我无法阅读并将内容插入回向量。以下代码在读取内容并将其插入向量时出现错误。

std::ifstream file("myFile.txt");
    std::string str; 
    int i = 0;
    while (std::getline(file, str))
    {
        istringstream iss(str);
        vector<string> tokens;
        copy(istream_iterator<string>(iss),
        istream_iterator<string>(),
        back_inserter<vector<string> >(tokens));

        std::string fist = tokens.front();
        std::string end = tokens.back();

        double dfirst = ::atof(fist.c_str());
        double dend = ::atof(end.c_str());

        kp_object1[i].pt.x = dfirst;
        kp_object1[i].pt.y = dend;

        ++i;
    }
4

1 回答 1

2

您没有指定您得到的错误是什么。我怀疑当您尝试将元素“插入”到您的 时会崩溃std::vector<KeyPoint>,但是:

kp_object1[i].pt.x = dfirst;
kp_object1[i].pt.y = dend;

除非有,至少,这其中的i + 1元素是kp_object1行不通的。你可能想使用类似的东西

KeyPoint object;
object.pt.x = dfirst;
object.pt.y = dend;
kp_object1.push_back(object);

如果您KeyPoint有合适的构造函数,您可以使用

kp_object1.push_back(KeyPoint(dfirst, dend));

反而。

顺便说一句,我会像这样解码各个行:

KeyPoint object;
if (std::istringstream(str) >> object.pt.x >> object.pt.y) {
    kp_object1.push_back(object);
}
else {
    std::cerr << "ERROR: failed to decode line '" << line << '\n';
}

这似乎更具可读性,可能更有效,甚至添加了错误处理。

于 2013-10-01T05:37:37.000 回答