仅在boost :: program_options中的短选项

时间:2010-09-01 18:49:54

标签: c++ command-line boost boost-program-options

如果没有他们的长期对手,我们将如何指定短期选项?

(",w", po::value<int>(), "Perfrom write with N frames")

生成此

-w [ -- ] arg : Perfrom write with N frames

是否只能指定短期权?

1 个答案:

答案 0 :(得分:15)

如果您使用命令行解析器,则可以设置不同的样式。因此,解决方案是仅使用长选项并启用allow_long_disguise样式,该样式允许使用一个破折号指定长选项(即“-long_option”)。这是一个例子:

#include <iostream>
#include <boost/program_options.hpp>

namespace options = boost::program_options;
using namespace std;

int
main (int argc, char *argv[])
{
        options::options_description desc (string (argv[0]).append(" options"));
        desc.add_options()
            ("h", "Display this message")
        ;
        options::variables_map args;
        options::store (options::command_line_parser (argc, argv).options (desc)
                        .style (options::command_line_style::default_style |
                                options::command_line_style::allow_long_disguise)
                        .run (), args);
        options::notify (args);
        if (args.count ("h"))
        {
            cout << desc << endl;
            return 0;
        }
}

虽然描述输出会有一点问题:

$ ./test --h
./test options:
  --h                   Display this message

这个很难修复,因为这是用来形成这个输出的东西:

std::string
option_description::format_name() const
{
    if (!m_short_name.empty())
        return string(m_short_name).append(" [ --").
        append(m_long_name).append(" ]");
    else
        return string("--").append(m_long_name);
}

我想到的唯一解决方法就是在结果字符串中用“ - ”替换“ - ”。例如:

#include <iostream>
#include <sstream>
#include <boost/program_options.hpp>
#include <boost/algorithm/string/replace.hpp>

namespace options = boost::program_options;
using namespace std;

int
main (int argc, char *argv[])
{
        options::options_description desc (string (argv[0]).append(" options"));
        desc.add_options()
            ("h", "Display this message")
        ;
        options::variables_map args;
        options::store (options::command_line_parser (argc, argv).options (desc)
                        .style (options::command_line_style::default_style |
                                options::command_line_style::allow_long_disguise)
                        .run (), args);
        options::notify (args);
        if (args.count ("h"))
        {
            std::stringstream stream;
            stream << desc;
            string helpMsg = stream.str ();
            boost::algorithm::replace_all (helpMsg, "--", "-");
            cout << helpMsg << endl;
            return 0;
        }
}

您可以做的最好的事情是修复打印空长选项说明的代码,并将补丁发送给库的作者。