我在c ++应用程序中使用gFlags来收集命令行标志:
DEFINE_string("output_dir", ".", "existing directory to dump output");
int main(int argc, char** argv) {
gflags::ParseCommandLineFlags(argc, argv, true);
...
}
此标志具有默认值,因此用户可以选择在命令行上不提供相同的值。 gFlags中是否有任何API可以知道命令行中是否提供了该标志?我没有找到任何东西,因此使用了以下技巧:
DEFINE_string("output_dir", ".", "existing directory to dump output");
static bool flag_set = false;
static void CheckFlags(const int argc, char** const argv) {
for (int i = 0; i < argc; i++) {
if (string(argv[i]).find("output_dir") != string::npos) {
flag_set = true;
break;
}
}
}
int main(int argc, char** argv) {
CheckFlags(argc, argv);
gflags::ParseCommandLineFlags(argc, argv, true);
if (flag_set) {
// blah.. blah..
}
return 0;
}
答案 0 :(得分:0)
在详细研究gflags code时,我发现一个API gflags::GetCommandLineFlagInfoOrDie(const char* name)
返回了CommandLineFlagInfo
,该API包含一个名为is_defaul
的布尔标志,如果提供了该标志,则为false在命令行中:
struct CommandLineFlagInfo {
std::string name; // the name of the flag
//...
bool is_default; // true if the flag has the default value and
// has not been set explicitly from the cmdline
// or via SetCommandLineOption
//...
};
所以我不再需要该hack了:
DEFINE_string("output_dir", ".", "existing directory to dump output");
static bool flag_set = false;
int main(int argc, char** argv) {
CheckFlags(argc, argv);
gflags::ParseCommandLineFlags(argc, argv, true);
bool flag_not_set = gflags::GetCommandLineFlagInfoOrDie("output_dir").is_default;
if (!flag_not_set) {
// blah.. blah..
}
return 0;
}