如何使用Boost解析ini文件

时间:2011-05-30 11:09:37

标签: c++ parsing boost ini

我有一个ini文件,其中包含一些示例值,如:

[Section1]
Value1 = 10
Value2 = a_text_string

我正在尝试加载这些值并使用Boost在我的应用程序中打印它们,但我不明白如何在C ++中执行此操作。

我在这个论坛中搜索以找到一些例子(我总是使用C,因此我在C ++中不是很好)但我只找到了关于如何一次性从文件中读取值的示例。

我需要在我想要的时候只加载一个值,比如string = Section1.Value2,因为我不需要读取所有值,只读取其中的一些值。

我想加载单个值并将它们存储在变量中,以便在我的应用程序中使用它们。

可以使用Boost做到这一点吗?

目前,我正在使用此代码:

#include <iostream>
#include <string>
#include <set>
#include <sstream>
#include <exception>
#include <fstream>
#include <boost/config.hpp>
#include <boost/program_options/detail/config_file.hpp>
#include <boost/program_options/parsers.hpp>

namespace pod = boost::program_options::detail;

int main()
{
   std::ifstream s("file.ini");
    if(!s)
    {
        std::cerr<<"error"<<std::endl;
        return 1;
    }

    std::set<std::string> options;
    options.insert("Test.a");
    options.insert("Test.b");
    options.insert("Test.c");

    for (boost::program_options::detail::config_file_iterator i(s, options), e ; i != e; ++i)
        std::cout << i->value[0] << std::endl;
   }

但这只是读取for循环中的所有值;相反,我只想在需要时读取单个值,并且我不需要在文件中插入值,因为它已经用我在程序中需要的所有值写入。

4 个答案:

答案 0 :(得分:134)

您还可以使用Boost.PropertyTree来读取.ini文件:

#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/ini_parser.hpp>

...

boost::property_tree::ptree pt;
boost::property_tree::ini_parser::read_ini("config.ini", pt);
std::cout << pt.get<std::string>("Section1.Value1") << std::endl;
std::cout << pt.get<std::string>("Section1.Value2") << std::endl;

答案 1 :(得分:3)

由于结构简单,解析INI文件很容易。使用AX我可以写几行来解​​析部分,属性和注释:

auto trailing_spaces = *space & endl;
auto section = '[' & r_alnumstr() & ']';
auto name = +(r_any() - '=' - endl - space);
auto value = '"' & *("\\\"" | r_any() - '"') & '"'
   | *(r_any() - trailing_spaces);
auto property = *space & name & *space & '=' & *space 
    & value & trailing_spaces;
auto comment = ';' & *(r_any() - endl) & endl;
auto ini_file = *comment & *(section & *(prop_line | comment)) & r_end();

更详细的示例可以在Reference.pdf

中找到

关于不读取整个文件,可以用不同的方式完成。首先,INI格式的解析器至少需要前向迭代器,因此您不能使用流迭代器,因为它们是输入迭代器。您可以使用所需的迭代器为流创建一个单独的类(我在过去使用滑动缓冲区编写了一个这样的类)。您可以使用内存映射文件。或者,您可以使用动态缓冲区,从标准流中读取并提供给解析器,直到找到值。如果您不想拥有真正的解析器,并且不关心INI文件结构是否正确,则只需在文件中搜索令牌即可。输入迭代器就足够了。

最后,我不确定避免阅读整个文件会带来任何好处。 INI文件通常很小,因为硬盘驱动器和多个缓冲系统无论如何都会读取一个或多个扇区(即使你只需要一个字节),所以我怀疑通过尝试部分读取文件会有任何性能提升(特别是反复这样做,可能恰恰相反。

答案 2 :(得分:2)

我已经阅读了一篇关于使用boost方法进行INI解析的好文章,它被INI file reader using the spirit library称为Silviu Simen

这很简单。

答案 3 :(得分:1)

需要解析文件,必须按顺序完成。所以我只是阅读整个文件,将所有值存储在某个集合(mapunordered_map中,可能使用pair<section, key>作为键或使用地图映射)并获取它们从那里需要的时候。