- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在写一个涉及boost::program_options的C++程序,在这里我遇到了一些问题。这里给出了我的一些代码。
int main(int argc, char* argv[]) {
options_description desc("useage: filterfq", options_description::m_default_line_length * 2, options_description::m_default_line_length);
options_description generic("Gerneric options", options_description::m_default_line_length * 2, options_description::m_default_line_length);
generic.add_options()
("help,h", "produce help message")
;
options_description param("Parameters", options_description::m_default_line_length * 2, options_description::m_default_line_length);
param.add_options()
("checkQualitySystem,c", bool_switch(), "only check quality system of the fastq file")
("baseNrate,N", value<float>() -> default_value(0.05), "maximum rate of \'N\' base allowed along a read")
("averageQuality,Q", value<float>() -> default_value(0), "minimum average quality allowed along a read")
("perBaseQuality,q", value<int>() -> default_value(5), "minimum quality per base allowed along a read")
("lowQualityRate,r", value<float>() -> default_value(0.5), "maximum low quality rate along a read")
("rawQualitySystem,s", value<int>(), "specify quality system of raw fastq\n0: Sanger\n1: Solexa\n2: Illumina 1.3+\n3: Illumina 1.5+\n4: Illumina 1.8+")
("preferSpecifiedRawQualitySystem,p", bool_switch(), "indicate that user prefers the given quality system to process")
;
options_description input("Input", options_description::m_default_line_length * 2, options_description::m_default_line_length);
input.add_options()
("rawFastq,f", value< vector<path> >() -> required() -> multitoken(), "raw fastq file(s) that need cleaned, required")
;
options_description output("Output", options_description::m_default_line_length * 2, options_description::m_default_line_length);
output.add_options()
("cleanQualitySystem,S", value<int>() -> default_value(4), "specify quality system of cleaned fastq, the same as rawQualitySystem")
("outDir,O", value<path>() -> default_value(current_path()), "specify output directory, not used if cleanFastq is specified")
("outBasename,o", value<string>(), "specify the basename for output file(s), required if outDir is specified")
("cleanFastq,F", value< vector<path> >() -> multitoken(), "cleaned fastq file name(s), not used if outDir or outBasename is specified")
("droppedFastq,D", value< vector<path> >() -> multitoken(), "fastq file(s) containing reads that are filtered out")
;
desc.add(generic).add(param).add(input).add(output);
variables_map vm;
store(command_line_parser(argc, argv).options(desc).run(), vm);
if (vm.count("help")) {
cout << desc << "\n";
return 0;
}
...
}
这里没有给出#include using 命名空间部分。当我键入命令以查看帮助消息时,它向我显示了以下内容
useage: filterfq:
Gerneric options:
-h [ --help ] produce help message
Parameters:
-c [ --checkQualitySystem ] only check quality system of the fastq file
-N [ --baseNrate ] arg (=0.0500000007) maximum rate of 'N' base allowed along a read
-Q [ --averageQuality ] arg (=0) minimum average quality allowed along a read
-q [ --perBaseQuality ] arg (=5) minimum quality per base allowed along a read
-r [ --lowQualityRate ] arg (=0.5) maximum low quality rate along a read
-s [ --rawQualitySystem ] arg specify quality system of raw fastq
0: Sanger
1: Solexa
2: Illumina 1.3+
3: Illumina 1.5+
4: Illumina 1.8+
-p [ --preferSpecifiedRawQualitySystem ] indicate that user prefers the given quality system to process
Input:
-f [ --rawFastq ] arg raw fastq file(s) that need cleaned, required
Output:
-S [ --cleanQualitySystem ] arg (=4) specify quality system of cleaned fastq, the same as rawQualitySystem
-O [ --outDir ] arg (="/home/tanbowen/filterfq") specify output directory, not used if cleanFastq is specified
-o [ --outBasename ] arg specify the basename for output file(s), required if outDir is specified
-F [ --cleanFastq ] arg cleaned fastq file name(s), not used if outDir or outBasename is specified
-D [ --droppedFastq ] arg fastq file(s) containing reads that are filtered out
帮助信息看起来有点难看,尤其是“0.0500000007”,我想改进一下。但是我在谷歌上搜索了很长时间,我找不到解决方案。所以我在这里请求帮助解决以下问题:
一个额外的问题:我怎样才能阻止下面的命令被执行
filter -f <some file> -f <some file>
即,不允许多次指定相同的选项?
非常感谢!!
最佳答案
是的,见下文(展示了收集和显示格式化选项的一般形式)
查看options_description
的构造函数。它允许您指定列宽。
这是自定义选项值的(真实)示例。在我的例子中,我想收集一个以字节为单位的缓冲区大小,但也希望能够解析 4K 或 1M 之类的东西。
struct bytesize_option
{
bytesize_option(std::size_t val = 0) : _size(val) {}
std::size_t value() const { return _size; }
void set(std::size_t val) { _size = val; }
private:
std::size_t _size;
};
std::ostream& operator<<(std::ostream& os, bytesize_option const& hs);
std::istream& operator>>(std::istream& is, bytesize_option& hs);
namespace {
static constexpr auto G = std::size_t(1024 * 1024 * 1024);
static constexpr auto M = std::size_t(1024 * 1024);
static constexpr auto K = std::size_t(1024);
}
std::ostream& operator<<(std::ostream& os, bytesize_option const& hs)
{
auto v = hs.value();
if (v % G == 0) { return os << (v / G) << 'G'; }
if (v % M == 0) { return os << (v / M) << 'M'; }
if (v % K == 0) { return os << (v / K) << 'K'; }
return os << v;
}
std::istream& operator>>(std::istream& is, bytesize_option& hs)
{
std::string s;
is >> s;
static const std::regex re(R"regex((\d+)([GMKgmk]){0,1})regex");
std::smatch match;
auto matched = std::regex_match(s, match, re);
if(!matched) {
throw po::validation_error(po::validation_error::invalid_option_value);
}
if (match[2].matched)
{
switch (match[2].str().at(0))
{
case 'G':
case 'g':
hs.set(std::stoul(match[1].str()) * G);
break;
case 'M':
case 'm':
hs.set(std::stoul(match[1].str()) * M);
break;
case 'K':
case 'k':
hs.set(std::stoul(match[1].str()) * K);
break;
}
}
else {
hs.set(std::stoul(match[1].str()));
}
return is;
}
你会像这样使用它:
return boost::shared_ptr<po::option_description> {
new po::option_description("server.max-header-size,x",
po::value(&_max_hdr_size)
->default_value(_max_hdr_size),
"The maximum size (in bytes) of a HTTP header "
"that the server will accept")
};
在这种情况下,定义了 _max_hdr_size
:
bytesize_option _max_hdr_size;
关于c++ - 使用 boost program_options 处理帮助消息,删除默认值或重新格式化帮助消息,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/39614505/
我有这个问题: 我们声称对 float 使用相等测试是不安全的,因为算术运算会引入舍入错误,这意味着两个应该相等的数字实际上并不相等。 对于这个程序,您应该选择一个数字 N,并编写一个程序来显示 1
为什么这个脚本的输出是 5 而不是 8 ? 我认为 -- 意味着 -1 两次。 var x = 0; var y = 10; while ( x
我现在可以从 cmd 窗口中执行的 FFmpeg 过程中读取最后一行。 使用脚本主机模型对象引用此源。 Private Sub Command1_Click() Dim oExec
使用 vlookup,当匹配发生时,我想从匹配发生的同一行显示工作表 2 中 C 列的值。我想出的公式从 C 列表 2 中获取值,但它从公式粘贴在表 3 上的行中获取,而不是从匹配发生的位置获取。 这
我在破译 WCF 跟踪文件时遇到了问题,我希望有人能帮助我确定管道中的哪个位置发生了延迟。 “Processing Message XX”的跟踪如下所示,在事件边界和传输到“Process Actio
我有四个表,USER、CONTACT、CONACT_TYPE 和 USER_CONTACT USER_CONTACT 存储用户具有填充虚拟数据的表的所有联系人如下 用户表 USER_ID(int)|
以下有什么作用? public static function find_by_sql($sql="") { global $database; $result_set = $data
我正在解决 JavaBat 问题并且对我的逻辑感到困惑。 这是任务: Given a day of the week encoded as 0=Sun, 1=Mon, 2=Tue, ...6=Sat,
我正在研究一些 Scala 代码,发现这种方法让我感到困惑。在匹配语句中,sublist@ 是什么?构造?它包含什么样的值(value)?当我打印它时,它与 tail 没有区别,但如果我用尾部替换它,
我正在使用以下代码自行缩放图像。代码很好,图像缩放也没有问题。 UIImage *originImg = img; size = newSize; if (originImg.size.width >
Instruments 无法在我的 iPad 和 iPhone 上启动。两者都已正确配置,我可以毫无问题地从 xcode 调试它们上的代码,但 Instruments 无法启动。 我听到的只是一声嘟嘟
我想用 iPhone 的 NSRegularExpression 类解析此文本: Uploaded652.81 GB 用于摘录上传和652.81文本。 最佳答案 虽然我确实认为 xml 解析器更适合解
我找到了 solution在 Stackoverflow 上,根据过滤器显示 HTML“li”元素(请参阅附件)。本质上基于 HTML 元素中定义的 css 类,它填充您可以从中选择的下拉列表。 我想
这是一个简单的问题,但我是在 SQL 2005 中形成 XML 的新手,但是用于形成如下所示表中的 XML 的最佳 FOR XML SQL 语句是什么? Column1 Column2 -
我在 www.enigmafest.com 有一个网站!您可以尝试打开它!我面临的问题是,在预加载器完成后,主页会出现,但其他菜单仍然需要很长时间才能加载,而且声音也至少需要 5 分钟! :( 我怎样
好吧,我正在尝试用 Haskell 来理解 IO,我想我应该编写一个处理网页的简短小应用程序来完成它。我被绊倒的代码片段是(向 bobince 表示歉意,但公平地说,我并不想在这里解析 HTML,只是
如何使用背景页面来突出显示网站上的某个关键字,无论网站是什么(谷歌浏览器扩展)?没有弹出窗口或任何东西,它只是在某人正在查看的网站上编辑关键字。我以前见过这样的,就是不明白怎么做!谢谢你的帮助。 最佳
我是 Javascript 新手,需要一些帮助。 先看图片: . 积分预测器应用程序。 基本上当用户通过单选按钮选择获胜团队时它应该在积分栏中为获胜队添加 10 分,并且并根据得分高的球队自动对表格进
这是我的情况 - 我要发送一份时事通讯,我试图做的是,当用户单击电子邮件中的链接时,它会重定向到我的网页,然后会弹出一个灯箱,显示视频。我无法在页面加载时触发灯箱,因为您可以在查看灯箱之前转到同一页面
我有这个代码。 ¿Cuanto es ? Ir 我想获取用户输入的“验证码”值。我尝试这个但行不通。有什么帮助吗? var campo = d
我是一名优秀的程序员,十分优秀!