我在Xcode中使用谷歌基准测试,并且由于某种原因它产生彩色输出。由于Xcode似乎不支持彩色输出,我看到了不需要的符号。我想知道是否有可能在谷歌基准测试中强制黑白输出。我更喜欢使用他们的API的答案,但我愿意接受其他选择。
答案 0 :(得分:3)
Google基准测试的颜色输出在自述文件中提及:https://github.com/google/benchmark#output-formats
输出格式
该库支持多种输出格式。使用
--benchmark_format=<console|json|csv>
标志用于设置格式类型。 console是默认格式。控制台格式旨在成为人类可读的格式。通过 默认格式生成颜色输出。上下文在stderr上输出 和stdout上的表格数据。
还可以选择将输出的非彩色副本保存到--benchmark_out=file --benchmark_out_format=console
的文件中(默认为json)
该库支持将基准测试的输出写入文件 由
--benchmark_out=<filename>
指定。输出的格式可以 使用--benchmark_out_format={json|console|csv}
指定。 指定--benchmark_out不会抑制控制台输出。
在实现中,他们有禁用控制台着色的标志:
DEFINE_string(benchmark_color, "auto",
"Whether to use colors in the output. Valid values: "
"'true'/'yes'/1, 'false'/'no'/0, and 'auto'. 'auto' means to use "
"colors if the output is being sent to a terminal and the TERM "
"environment variable is set to a terminal type that supports "
"colors.");
所以,你可以use --benchmark_color=false
as suggested by Artemy(使用包装shell脚本),或尝试使用&#34;无用的猫模式传递控制台输出&#34;:
./program | cat
它应该在自动颜色默认模式下设置stdout to fail isatty()
check(这个技巧可以禁用颜色grep)。
或者使用export TERM=ansi
更改您的TERM env变量,以表明您有绿色和黑色CRT监视器:
https://github.com/google/benchmark/blob/09b93ccc6a9aed84c269b6f5b8130c878e518ebb/src/colorprint.cc#L167
// ... This list of
// supported TERM values is copied from Google Test:
// <https://github.com/google/googletest/blob/master/googletest/src/gtest.cc#L2925>.
const char* const SUPPORTED_TERM_VALUES[] = {
"xterm", "xterm-color", "xterm-256color",
"screen", "screen-256color", "tmux",
"tmux-256color", "rxvt-unicode", "rxvt-unicode-256color",
"linux", "cygwin",
};
但是|cat
和export TERM=ansi
gbench继续生成颜色。 它必须是GetOutputOptions
附近的错误(!!!),使得IsColorTerminal()逻辑在&#34; auto&#34;的情况下成为noop,所以&#34; auto&# 34;模式不是真正的自动,它总是启用:
ConsoleReporter::OutputOptions GetOutputOptions(bool force_no_color) {
int output_opts = ConsoleReporter::OO_Defaults;
if ((FLAGS_benchmark_color == "auto" && IsColorTerminal()) ||
IsTruthyFlagValue(FLAGS_benchmark_color)) {
output_opts |= ConsoleReporter::OO_Color;
} else {
output_opts &= ~ConsoleReporter::OO_Color;
}
IsTruthyFlagValue考虑默认值&#34; auto&#34;为真,并始终启用颜色输出,即使终端不支持它!
bool IsTruthyFlagValue(const std::string& value) {
if (value.empty()) return true;
char ch = value[0];
return isalnum(ch) &&
!(ch == '0' || ch == 'f' || ch == 'F' || ch == 'n' || ch == 'N');
}
这是启用自动模式的补丁(可以使用|cat
和TERM=ansi ./program
,可能还有一些正确设置TERM的IDE),可以随意执行拉取请求:
--- a/src/benchmark.cc
+++ b/src/benchmark.cc
@@ -555,7 +555,8 @@ bool IsZero(double n) {
ConsoleReporter::OutputOptions GetOutputOptions(bool force_no_color) {
int output_opts = ConsoleReporter::OO_Defaults;
if ((FLAGS_benchmark_color == "auto" && IsColorTerminal()) ||
- IsTruthyFlagValue(FLAGS_benchmark_color)) {
+ (FLAGS_benchmark_color != "auto" &&
+ IsTruthyFlagValue(FLAGS_benchmark_color))) {
output_opts |= ConsoleReporter::OO_Color;
} else {
output_opts &= ~ConsoleReporter::OO_Color;