如何使用gcov抑制内联模板
我使用GCC 4.9和GCOV来获取代码和分支机构覆盖范围。 然而,分支覆盖的结果对我的C ++代码来说完全没有用处。 尽管使用了我所知的所有-fno-*-inline
标志,看起来GCC内联了模板。
下面是一个小例子应用程序来说明问题:
#include <string>
#include <iostream>
using namespace std;
int main() {
string foo;
foo = "abc";
cout << foo << endl;
}
我使用g++ -O0 -fno-inline -fno-inline-small-functions -fno-default-inline --coverage -fprofile-arcs test.cpp -o test
编译程序g++ -O0 -fno-inline -fno-inline-small-functions -fno-default-inline --coverage -fprofile-arcs test.cpp -o test
运行test
, gcovr -r . -b
gcovr -r . -b
打印:
------------------------------------------------------------------------------
GCC Code Coverage Report
Directory: .
------------------------------------------------------------------------------
File Branches Taken Cover Missing
------------------------------------------------------------------------------
test.cpp 14 7 50% 7,8,9,10
------------------------------------------------------------------------------
TOTAL 14 7 50%
------------------------------------------------------------------------------
我们的main
功能中没有一个分支。 例如,第7行包含string foo;
。 看来std::basic_string<...>
的构造函数中有一些if语句,但在查看main
的覆盖范围时,这不是有用的信息。
问题是,所有这些内联分支总结,并为我的实际单元测试计算分支覆盖率约为40%。 我对我的代码的分支覆盖感兴趣,而不是我在C ++标准库中打的多少分支。
有什么方法可以完全关闭编译器的内联或者告诉GCOV不考虑内联分支? 我无法在GCOV主页或其他地方找到关于该主题的任何指南。
任何帮助深表感谢。
那么,你应该总是仔细检查你的期望。 非常感谢@Useless将我指向gcov
输出本身。 尽管如此,您并不完全正确:分支不归属于test.cpp
文件。 使用-k
运行gcovr
并查看所有中间文件显示gcov
正确生成诸如#usr#include#c++#4.9#bits#basic_string.h.gcov
文件,这些文件显示了C ++标准库一侧的内容。
但是, test.cpp
所有分支的原因不是内联。 这是例外。 由于潜在的异常(例如std::bad_alloc
),每个调用标准库都是一个分支。 向编译器标志添加-fno-exceptions
将提供以下输出:
------------------------------------------------------------------------------
GCC Code Coverage Report
Directory: .
------------------------------------------------------------------------------
File Branches Taken Cover Missing
------------------------------------------------------------------------------
test.cpp 4 2 50% 10
------------------------------------------------------------------------------
TOTAL 4 2 50%
------------------------------------------------------------------------------
通过cat foo.cpp.gcov
打印深入了解gcov
输出:
-: 0:Source:test.cpp
-: 0:Graph:/home/neverlord/gcov/test.gcno
-: 0:Data:/home/neverlord/gcov/test.gcda
-: 0:Runs:1
-: 0:Programs:1
-: 1:#include <string>
-: 2:#include <iostream>
-: 3:
-: 4:using namespace std;
-: 5:
function main called 1 returned 100% blocks executed 100%
1: 6:int main() {
1: 7: string foo;
call 0 returned 1
1: 8: foo = "abc";
call 0 returned 1
1: 9: cout << foo << endl;
call 0 returned 1
call 1 returned 1
call 2 returned 1
function _GLOBAL__sub_I_main called 1 returned 100% blocks executed 100%
function _Z41__static_initialization_and_destruction_0ii called 1 returned 100% blocks executed 100%
4: 10:}
call 0 returned 1
branch 1 taken 1 (fallthrough)
branch 2 taken 0
branch 3 taken 1 (fallthrough)
branch 4 taken 0
对不起,噪音。
链接地址: http://www.djcxy.com/p/93411.html