我正在尝试比较 FMA 性能(fma()
in math.h
)与浮点计算中的幼稚乘法和加法。测试很简单。我将对大迭代次数进行相同的计算。为了进行精确的检查,我必须完成两件事。
- 计算时间不应包括其他计算。
- 朴素的乘法和加法不应该针对 FMA 进行优化
- 迭代不应该被优化。即迭代应该完全按照我的意图进行。
为了实现上述目标,我做了以下工作:
- 函数是内联的,只包括所需的计算。
- 使用 g++
-O0
选项不优化乘法。(但是当我查看转储文件时,它似乎为两者生成几乎相同的代码) - 用过
volatile
。
但结果显示几乎没有差异,甚至fma()
比幼稚的乘法和加法更慢。这是我想要的结果(即它们在速度方面并没有真正不同)还是我做错了什么?
规格
- Ubuntu 14.04.2
- G++ 4.8.2
- Intel(R) Core(TM) i7-4770(3.4GHz,8MB 三级缓存)
我的代码
#include <iostream>
#include <cmath>
#include <cstdlib>
#include <chrono>
using namespace std;
using namespace chrono;
inline double rand_gen() {
return static_cast<double>(rand()) / RAND_MAX;
}
volatile double a, b, c;
inline void pure_fma_func() {
fma(a, b, c);
}
inline void non_fma_func() {
a * b + c;
}
int main() {
int n = 100000000;
a = rand_gen();
b = rand_gen();
c = rand_gen();
auto t1 = system_clock::now();
for (int i = 0; i < n; i++) {
non_fma_func();
}
auto t2 = system_clock::now();
for (int i = 0; i < n; i++) {
pure_fma_func();
}
auto t3 = system_clock::now();
cout << "non fma" << endl;
cout << duration_cast<microseconds>(t2 - t1).count() / 1000.0 << "ms" << endl;
cout << "fma" << endl;
cout << duration_cast<microseconds>(t3 - t2).count() / 1000.0 << "ms" << endl;
}