在下面的代码中,我更改了“dataLen”并获得了不同的效率。
dataLen = 400 SSE 时间:758000 us AVX 时间:483000 us SSE > AVX
dataLen = 2400 SSE 时间:4212000 us AVX 时间:2636000 us SSE > AVX
dataLen = 2864 SSE 时间:6115000 us AVX 时间:6146000 us SSE ~= AVX
dataLen = 3200 SSE 时间:8049000 us AVX 时间:9297000 us SSE < AVX
dataLen = 4000 SSE 时间:10170000us AVX 时间:11690000us SSE < AVX
SSE 和 AVX 代码都可以简化为: buf3[i] += buf1[1]*buf2[i];
#include "testfun.h"
#include <iostream>
#include <chrono>
#include <malloc.h>
#include "immintrin.h"
using namespace std::chrono;
void testfun()
{
int dataLen = 4000;
int N = 10000000;
float *buf1 = reinterpret_cast<float*>(_aligned_malloc(sizeof(float)*dataLen, 32));
float *buf2 = reinterpret_cast<float*>(_aligned_malloc(sizeof(float)*dataLen, 32));
float *buf3 = reinterpret_cast<float*>(_aligned_malloc(sizeof(float)*dataLen, 32));
for(int i=0; i<dataLen; i++)
{
buf1[i] = 1;
buf2[i] = 1;
buf3[i] = 0;
}
//=========================SSE CODE=====================================
system_clock::time_point SSEStart = system_clock::now();
__m128 p1, p2, p3;
for(int j=0; j<N; j++)
for(int i=0; i<dataLen; i=i+4)
{
p1 = _mm_load_ps(&buf1[i]);
p2 = _mm_load_ps(&buf2[i]);
p3 = _mm_load_ps(&buf3[i]);
p3 = _mm_add_ps(_mm_mul_ps(p1, p2), p3);
_mm_store_ps(&buf3[i], p3);
}
microseconds SSEtimeUsed = duration_cast<milliseconds>(system_clock::now() - SSEStart);
std::cout << "SSE time used: " << SSEtimeUsed.count() << " us, " <<std::endl;
//=========================AVX CODE=====================================
for(int i=0; i<dataLen; i++) buf3[i] = 0;
system_clock::time_point AVXstart = system_clock::now();
__m256 pp1, pp2, pp3;
for(int j=0; j<N; j++)
for(int i=0; i<dataLen; i=i+8)
{
pp1 = _mm256_load_ps(&buf1[i]);
pp2 = _mm256_load_ps(&buf2[i]);
pp3 = _mm256_load_ps(&buf3[i]);
pp3 = _mm256_add_ps(_mm256_mul_ps(pp1, pp2), pp3);
_mm256_store_ps(&buf3[i], pp3);
}
microseconds AVXtimeUsed = duration_cast<milliseconds>(system_clock::now() - AVXstart);
std::cout << "AVX time used: " << AVXtimeUsed.count() << " us, " <<std::endl;
_aligned_free(buf1);
_aligned_free(buf2);
}
我的 CPU 是 Intel Xeon E3-1225 v2,它有一个 32KB*4(4 核)的 L1 缓存,运行此代码时它只使用 1 个核,所以使用的 L1 缓存为 32KB。
buf1 buf2 和 buf3 小到可以位于 L1 缓存和 L2 缓存中(L2 缓存 1MB)。SSE 和 AVX 都是带宽有限的,但是随着 dataLen 的增加,为什么 AVX 比 SSE 需要更多的时间?