0

可能重复:
在 C/C++ 中解析配置文件

我有一个 C++ 文本文件,看起来像这样:

[layer]
type=background
data=
1,1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,
1,1,1,1,1,11,1,1,1,1,1,1,1,1,1,1,1,1,1,

但是,我在同一个文本文件中有多个图层,并且每个图层都必须以不同的方式构建,但是我需要为每个图层获取“data =”中显示的值。

我将如何做到这一点?我尝试过的一种方法是将它们存储到向量中,但是在将所有内容存储在向量中之后,我没有想到从向量中提取这些值的解决方案......

while(file >> line)
    {
        words.push_back(line);
    }

    if(find(words.begin(), words.end(), "[header]") != words.end())
    {
        for(int i = find(words.begin(), words.end(), "[header]"); words.at(i) != "\n"; i++)
        {
            word += words.at[i];
        }
    }
    cout << word << endl;
    file.close();
4

1 回答 1

0

这很容易。您知道数据在“data=”行之后开始,并以“[layer]”行结束,所以只需搜索它们:

std::ifstream f("your_file");
std::string string;
while( f >> string && !f.eof() )
{
    if( string == "data=")//If we found the "data=" string, we know data begins next.
    {
        std::cout << std::endl << "new layer's data found" << std::endl;
        f >> string;//going to the next string (the actual data)
        //while we don't see the "[layer]" which indicates the end of data...
        while( string != "[layer]"  && !f.eof() )"[layer]"
        {
            std::cout << string;//...we output the data found
            f >> string;//and continue to the next string
        }
    }
}
于 2012-10-19T08:09:32.017 回答