Optimizing Numeric Program with SIMD

孤街醉人 提交于 2020-06-27 03:58:05

问题


I am try to optimizing the performance of the following naive program without changing the algorithm :

naive (int n, const int *a, const int *b, int *c)
//a,b are two array with given size n;
{
  for (int k = 0; k < n; k++)
    for (int i = 0; i < n - k; ++i)
      c[k] += a[i + k] * b[i];
}

My idea is as follows : First, I use OpenMP for the outer loop. For the inner loop, as it is imbalanced, I specify n-k to determine whether to use AXV2 SIMD intrinsic or simply reduce. And finally, I find that it has a speedup of 40 when n approaches to 3E7.

Are there any suggestions that could make it run faster?

My code is as follow :

static int n_zero = 0;
static int MAX_CORE = omp_get_max_threads();
void naive(int n, const int *a, const int *b, int *c)
{
    omp_set_num_threads(MAX_CORE);

#pragma omp parallel for schedule(dynamic)
    for (int k = 0; k < n; k++)
    {
        if ((n - k) < MAX_CORE)
        {
            for (int i = 0; i < (n - k); i++)
            {
                c[k] += a[i + k] * b[i];
            }
        }
        else
        {
            __m256i partial_sums = _mm256_set1_epi32(n_zero);
            for (int i = 0; i < (n - k) / 32 * 32; i += 32)
            {

                __m256i vec_a_1 = _mm256_loadu_si256((__m256i *)(a + i + k));
                __m256i vec_b_1 = _mm256_loadu_si256((__m256i *)(b + i));
                __m256i partial_pd = _mm256_mullo_epi32(vec_a_1, vec_b_1);
                partial_sums = _mm256_add_epi32(partial_pd, partial_sums);

                vec_a_1 = _mm256_loadu_si256((__m256i *)(a + i + k + 8));
                vec_b_1 = _mm256_loadu_si256((__m256i *)(b + i + 8));
                partial_pd = _mm256_mullo_epi32(vec_a_1, vec_b_1);
                partial_sums = _mm256_add_epi32(partial_pd, partial_sums);

                vec_a_1 = _mm256_loadu_si256((__m256i *)(a + i + k + 16));
                vec_b_1 = _mm256_loadu_si256((__m256i *)(b + i + 16));
                partial_pd = _mm256_mullo_epi32(vec_a_1, vec_b_1);
                partial_sums = _mm256_add_epi32(partial_pd, partial_sums);

                vec_a_1 = _mm256_loadu_si256((__m256i *)(a + i + k + 24));
                vec_b_1 = _mm256_loadu_si256((__m256i *)(b + i + 24));

                partial_pd = _mm256_mullo_epi32(vec_a_1, vec_b_1);
                partial_sums = _mm256_add_epi32(partial_pd, partial_sums);
            }

            int arr[] = {0, 0, 0, 0, 0, 0, 0, 0};
            _mm256_storeu_si256(((__m256i *)arr), partial_sums);
            for (int i = 0; i < 8; i++)
            {
                c[k] += arr[i];
            }

            for (int i = (n - k) / 32 * 32 + k; i < n; i++)
            {
                c[k] += a[i] * b[i - k];
            }
        }
    }
}

来源:https://stackoverflow.com/questions/62055733/optimizing-numeric-program-with-simd

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!