3

我为冒泡排序算法编写了一个 c++ 代码,但我不知道如何使用 openmp 使其并行,所以请帮助我.....这是代码:

#include "stdafx.h"    
#include <iostream>
#include <time.h>
#include <omp.h>
using namespace std;

int a[40001];
void sortArray(int [], int);
int q=0;

int _tmain(int argc, _TCHAR* argv[])
{   
int x=40000;
int values[40000];
for (int i=0;i<x;i++)
{
    values[i]=rand();
}
cout << "Sorting Array .......\n";
clock_t start = clock();
sortArray(values, x);
 cout << "The Array Now Sorted\n";
printf("Elapsed Time : %f\n", ((double)clock() - start) / CLOCKS_PER_SEC);
cout << "\n";
}
 void sortArray(int array[], int size)  
{
  bool swap;
   int temp;
  do
  {
   swap = false;
  for (int count = 0; count < (size - 1); count++)
   {
   if (array[count] > array[count + 1])
  {
    temp = array[count];
    array[count] = array[count + 1];
    array[count + 1] = temp;
    swap = true;
  }
  }
  }while (swap);
}

现在大约需要 13 秒,我尝试在 sortArray 方法中的“for statment”之前将##pragma omp parallel for 在 sortArray 方法中并没有任何区别,它也需要大约 13 秒.....所以请尽快帮助我

4

1 回答 1

6

试试这个并行冒泡排序算法:

1.  For k = 0 to n-2
2.  If k is even then
3.     for i = 0 to (n/2)-1 do in parallel
4.         If A[2i] > A[2i+1] then
5.             Exchange A[2i] ↔ A[2i+1]
6.  Else
7.     for i = 0 to (n/2)-2 do in parallel
8.         If A[2i+1] > A[2i+2] then
9.             Exchange A[2i+1] ↔ A[2i+2]
10. Next k

平行分析

步骤 1-10 是一个大循环,表示 n -1 次。因此,并行时间复杂度为 O(n)。如果该算法,奇数步需要 (n/2) - 2 个处理器,偶数步需要
(n/2) - 1 个处理器。因此,这需要 O(n) 个处理器。

您仍然可以swap在之前使用标志检查来停止例程Next k
当然不要指望没有数百个物理处理器的速度会有很大的提高:)

于 2010-01-08T14:36:48.620 回答