为了了解类组合的运行时性能,我编写了以下测试代码。在其中,我比较了将函数作为类的成员函数直接调用所花费的时间,与通过将原始类作为成员的复合类调用它所花费的时间。
看起来这些方法应该花费相当的时间,但它们没有:通过复合类调用几乎需要两倍的时间。
这是代码:
const int REPS(1e8);
const double INPUT(5.29);
class Base {
public:
inline double BaseFunc(double x) const;
};
double Base::BaseFunc(double x) const {
return 2.718*x + 3.14;
};
class Super {
public:
inline double BaseFunc(double x) const;
private:
Base b_;
};
double Super::BaseFunc(double x) const {
return b_.BaseFunc(x);
};
int main() {
auto t0 = std::chrono::high_resolution_clock::now();
// Construct objects.
Base b;
Super s;
// Call to base directly.
for (int i = 0; i < REPS; ++i)
b.BaseFunc(INPUT);
auto t1 = std::chrono::high_resolution_clock::now();
// Call to base through composited class.
for (int i = 0; i < REPS; ++i)
s.BaseFunc(INPUT);
auto t2 = std::chrono::high_resolution_clock::now();
// Find average durations.
auto diff1 = std::chrono::duration_cast<std::chrono::nanoseconds>(t1-t0).count();
diff1 /= REPS;
auto diff2 = std::chrono::duration_cast<std::chrono::nanoseconds>(t2-t1).count();
diff2 /= REPS;
std::cout << "Calling directly to base took " << diff1 << "nsec.\n";
std::cout << "Calling to base through a composited class took " << diff2 << "nsec.\n";
}
使用 g++ 版本 4.7.2 编译,使用 -std=c++11 -O0 -Winline,我得到:
Calling directly to base took 13nsec.
Calling to base through a composited class took 24nsec.
为什么这两种调用本质上相同的函数的方式之间存在如此差异?我认为由于所有内容都是内联的(gcc 没有告诉我其他情况),因此这些应该是同一件事。
我在想这个完全不正确吗?任何帮助表示赞赏!谢谢!
更新感谢所有帮助!我返回并在函数调用中添加更多内容(在向量上调用 inner_product)并使用每次重复的所有结果,以确保 gcc 没有优化任何东西。然后我打开优化。你们都是对的:差异消失了。
我想我学到了两件重要的事情:1)关闭优化后,gcc 甚至不会尝试内联,因此 -Winline 标志毫无意义,2)这两种调用函数的方式之间没有有意义的区别。我可以自信地从其他类中调用成员函数!
再次感谢!