CSC/ECE 506 Spring 2011/ch3 ab: Difference between revisions

From Expertiza_Wiki
Jump to navigation Jump to search
(testing)
 
No edit summary
Line 3: Line 3:
==Overview==
==Overview==


In this wiki supplement, we will discuss how the three kinds of parallelisms, i.e. DOALL, DOACROSS and DOPIPE implemented in the threads packages - OpenMP, Intel Threading Building Block, POSIX Threads. We discuss the each packages from the respects of variable scopes & Reduction/DOALL/DOACROSS/DOPIPE implementations.
In this wiki supplement, we will discuss how the three kinds of parallelisms, i.e. DOALL, DOACROSS and DOPIPE implemented in the threads packages - OpenMP, Intel Threading Building Block, POSIX Threads. We discuss each package from the perspective of variable scopes & Reduction/DOALL/DOACROSS/DOPIPE implementations.


==Implementation==
==Implementation==
Line 40: Line 40:


   CRITICAL SECTION behaves as follows:
   CRITICAL SECTION behaves as follows:
     1.f a thread is currently executing inside a CRITICAL region and another thread reaches that CRITICAL region and attempts to execute it, it will block until the first thread exits that CRITICAL region.
     1. If a thread is currently executing inside a CRITICAL region and another thread reaches that CRITICAL region and attempts to execute it, it will block until the first thread exits that CRITICAL region.
     2. It is illegal to branch into or out of a CRITICAL block.  
     2. It is illegal to branch into or out of a CRITICAL block.  


Line 117: Line 117:
====DOALL====
====DOALL====


In code 3.20, first it must include the header file ''omp.h'' which contains OpenMP function clarations. Next, A paralel region is started by  #pragma omp parallel and we enclose this program bu curly brackets. We can use (setenv OMP_NUM_THREADS n) to specify the number of threads. Another way to determine the number of threads is directly calling a function (omp_set_numtheads (n)).  
In code 3.20, first it must include the header file ''omp.h'' which contains OpenMP function declarations. Next, A parallel region is started by  #pragma omp parallel and we enclose this program bu curly brackets. We can use (setenv OMP_NUM_THREADS n) to specify the number of threads. Another way to determine the number of threads is directly calling a function (omp_set_numtheads (n)).  
Code 3.20 only has one loop to execute and we want to execute in parallel, so we combine the start of the parallel loop and the start of the parallel region with one directive ''#pragma omp parallel for''.  
Code 3.20 only has one loop to execute and we want it to execute in parallel, so we combine the start of the parallel loop and the start of the parallel region with one directive ''#pragma omp parallel for''.  
   
   
  '''Code 3.20 A DOALL parallelism example in OpenMP
  '''Code 3.20 A DOALL parallelism example in OpenMP
Line 134: Line 134:


====DOACROSS====
====DOACROSS====
We will introduce how to implement DOACROSS in OpenMP. Here is an example code which has not been paralleled yet.
We will now introduce how to implement DOACROSS in OpenMP. Here is an example code which has not been paralleled yet.
   
   
  '''Sample Code'''
  '''Sample Code'''
Line 149: Line 149:


When we implement DOACROSS, we use a shared array "_mylocks[threadid]" which is defined to store events of each thread. Besides, a private variable _counter0 is defined to indicate the event which current thread is waiting for. "mylock" indicates the total number of threads.  
When we implement DOACROSS, we use a shared array "_mylocks[threadid]" which is defined to store events of each thread. Besides, a private variable _counter0 is defined to indicate the event which current thread is waiting for. "mylock" indicates the total number of threads.  
The number of threads is got by function "omp_get_num_threads()" and current thread's id is got by function "omp_get_thread_num()".
The number of threads is gotten by function "omp_get_num_threads()" and current thread's id is gotten by function "omp_get_thread_num()".


*omp_get_num_threads(): Returns the number of threads that are currently in the team executing the parallel region from which it is called.
*omp_get_num_threads(): Returns the number of threads that are currently in the team executing the parallel region from which it is called.
Line 168: Line 168:
Now, let's see the code which has been paralleled and explanation.  
Now, let's see the code which has been paralleled and explanation.  


  01: int _mylocks[256]; //thread’s synchronized array
  01: int _mylocks[256]; //thread’s synchronized array
  02: #pragma omp parallel
  02: #pragma omp parallel
  03: {
  03: {
  04: int _counter0 = 1;
  04:   int _counter0 = 1;
  05: int _my_id = omp_get_thread_num();
  05:   int _my_id = omp_get_thread_num();
  06: int _my_nprocs= omp_get_num_threads();
  06:   int _my_nprocs= omp_get_num_threads();
  07: _mylocks[my_id] = 0;
  07:   _mylocks[my_id] = 0;
  08: for(j_tile = 0; j_tile<N-1; j_tile+=M){
  08:   for(j_tile = 0; j_tile<N-1; j_tile+=M){
  09: if(_my_id>0) {
  09:     if(_my_id>0) {
  10: do{
  10:       do{
  11: #pragma omp flush(_mylock)
  11:         #pragma omp flush(_mylock)
  12: } while(_mylock[myid-1]<_counter0);
  12:       } while(_mylock[myid-1]<_counter0);
  13: #pragma omp flush(a, _mylock)
  13:       #pragma omp flush(a, _mylock)
  14: _counter0 += 1;
  14:       _counter0 += 1;
  15: }
  15:     }
  16: #pragma omp for nowait
  16:     #pragma omp for nowait
  17: for(i=1; i< N; i++) {
  17:     for(i=1; i< N; i++) {
  18: for(j=j_tile;j<j_tile+M;j++){
  18:       for(j=j_tile;j<j_tile+M;j++){
  19: a[i][j]=a[i-1][j]+a[i][j-1];
  19:         a[i][j]=a[i-1][j]+a[i][j-1];
  20: }
  20:       }
  21: }
  21:     }
  22: _mylock[myid] += 1;
  22:     _mylock[myid] += 1;
  23: #pragma omp flush(a, _mylock)
  23:     #pragma omp flush(a, _mylock)
  24: }
  24:   }
  25: }
  25: }


Line 197: Line 197:


*First step: We divide i loop among the other four processors by inserting an OpenMP to construct “#programa omp for nowait” (line 16). Afterwards, each processor will take four interations of the loop i. The same to j loop. Assume the size of each block is 4. Each processor will execute four iterations of loop j. In order to let the total iterations be equal to the original program, j has to be enclosed in loop i. So, the new loop will be looked like ''for (j_tile = 2; j_tile <= 15; j_tile += 4)'', line 18.
*First step: We divide i loop among the other four processors by inserting an OpenMP to construct “#programa omp for nowait” (line 16). Afterwards, each processor will take four interations of the loop i. The same to j loop. Assume the size of each block is 4. Each processor will execute four iterations of loop j. In order to let the total iterations be equal to the original program, j has to be enclosed in loop i. So, the new loop will be looked like ''for (j_tile = 2; j_tile <= 15; j_tile += 4)'', line 18.
The lower bound of loop j is set to j_tile and the upper bound will be j)tile+3. We will keep other statements remained.
The lower bound of loop j is set to j_tile and the upper bound will be j_tile+3. We will keep the other statement unchanged.


*Second step: We are going to Synchronize the neighbor threads. After first step, the four processor will finish computing a block 4x4. If we parallel all these four processors, the dependence will be violated. So, we have to synchronized them by neighbors.
*Second step: We are going to Synchronize the neighbor threads. After first step, the four processor will finish computing a block 4x4. If we parallel all these four processors, the dependence will be violated. So, we have to synchronized them by neighbors.
Line 206: Line 206:
4. A private variable :_counter0, is initialize by 1, which indicate the block that current thread is waiting for.
4. A private variable :_counter0, is initialize by 1, which indicate the block that current thread is waiting for.


With the four variable, threads are synchronized:
With the four variables, threads are synchronized:
The first thread continue to run with out waiting (line 9), because its thread ID is 0. Then all other thread can not go down after line 12. If the value in ''_mylocks[_my_id-1]'' is smaller than ''_counter0''.
The first thread continues to run with out waiting (line 9), because its thread ID is 0. Then all other thread can not go down after line 12. If the value in ''_mylocks[_my_id-1]'' is smaller than ''_counter0''.


Otherwise, the block that current thread is waiting for must have be completed, and current thread can go down line 12, and mark the next block it will wait for by add 1 to ''_counter0'' (line 14).
Otherwise, the block that the current thread is waiting for must have to be completed, and the current thread can go down to line 12, and mark the next block it will wait for by adding 1 to ''_counter0'' (line 14).


When current thread finish its block, it will set that it
When current thread finish its block, it will set that it
Line 216: Line 216:


====DOPIPE====
====DOPIPE====
Here is another example code and we are going to parallel it in DOPIPE parallelism. There is a dependence, which is S2 -> T S1, existing in the sample code.
Here is another example code and we are going to parallelize it in DOPIPE parallelism. There is a dependence, which is S2 -> T S1, existing in the sample code.
  '''Sample Code'''
  '''Sample Code'''
  01: for(i=1; i< N; i++) {
  01: for(i=1; i< N; i++) {
  02: S1: a[i]=b[i];
  02:   S1: a[i]=b[i];
  03: S2: c[i]=c[i-1]+a[i];
  03:   S2: c[i]=c[i-1]+a[i];
  04:  
  04:  
  05: }
  05: }
Line 227: Line 227:
The number of threads is got by function "omp_get_num_threads()" and current thread's id is got by function "omp_get_thread_num()".
The number of threads is got by function "omp_get_num_threads()" and current thread's id is got by function "omp_get_thread_num()".


  01: int _mylocks[256]; //thread’s synchronized array
  01: int _mylocks[256]; //thread’s synchronized array
  02: #pragma omp parallel
  02: #pragma omp parallel
  03: {
  03: {
  04: int _counter0 = 1;
  04:   int _counter0 = 1;
  05: int _my_id = omp_get_thread_num();
  05:   int _my_id = omp_get_thread_num();
  06: int _my_nprocs= omp_get_num_threads();
  06:   int _my_nprocs= omp_get_num_threads();
  07: _mylocks[my_id] = 0;
  07:   _mylocks[my_id] = 0;
  08: for(i_tile = 0; i_tile<N-1; i_tile+=M){
  08:   for(i_tile = 0; i_tile<N-1; i_tile+=M){
  09: if(_my_id>0) {
  09:     if(_my_id>0) {
  10: do{
  10:       do{
  11: #pragma omp flush(_mylock)
  11:         #pragma omp flush(_mylock)
  12: } while(_mylock[myid-1]<_counter0);
  12:       } while(_mylock[myid-1]<_counter0);
  13: #pragma omp flush(a, _mylock)
  13:       #pragma omp flush(a, _mylock)
  14: _counter0 += 1;
  14:       _counter0 += 1;
  15: }
  15:     }
  16: #pragma omp for nowait
  16:     #pragma omp for nowait
  17: for(i=1; i< N; i++) {
  17:     for(i=1; i< N; i++) {
  18: a[i]=b[i];
  18:       a[i]=b[i];
  19: }
  19:     }
  20: for(i=1; i< N; i++) {
  20:     for(i=1; i< N; i++) {
  21: c[i]=c[i-1]+a[i];
  21:       c[i]=c[i-1]+a[i];
  22: }
  22:     }
  23: _mylock[myid] += 1;
  23:     _mylock[myid] += 1;
  24: #pragma omp flush(a, _mylock)
  24:     #pragma omp flush(a, _mylock)
  25: }
  25:   }
  26: }
  26: }


Line 286: Line 286:
  '''}'''//end omp parallel
  '''}'''//end omp parallel


In code 3.21, there are two loops needed to be executed in parallel. We just need to insert two ''pragma omp section'' statements. Since we insert these two statements, those two loops will execute sequentially.
In code 3.21, there are two loops needed to be executed in parallel. We just need to insert two ''pragma omp section'' statements. Once we insert these two statements, those two loops will execute sequentially.


===Intel Thread Building Blocks===
===Intel Thread Building Blocks===
Line 427: Line 427:
  }
  }


The example is the simplest DOALL parallelism, similar as the one in textbook, and execution graph will be just similar as the one in DOALL section above. But with the help with this simple illustration, the TBB code just gives you a flavor of how it would be implemented in Intel Threading Building Blocks.
The example is the simplest DOALL parallelism, similar to the one in the textbook, and execution graph will be very similar as the one in DOALL section above. But with the help of this simple illustration, the TBB code just gives you a flavor of how it would be implemented in Intel Threading Building Blocks.


A little more to say, parallel_for takes an optional third argument to specify a partitioner, which I used "The_grain_size_You_Pick" to represent. If you want to manually divide the grain and assign the work to processors, you could specify that in the function. Or, you could use automatic grain provided TBB. The auto_partitioner provides an alternative that heuristically chooses the grain size so that you do not have to specify one. The heuristic attempts to limit overhead while still providing ample opportunities for load balancing. Then, the last three line of the TBB code above will be:
A little more to say, parallel_for takes an optional third argument to specify a partitioner, which I used "The_grain_size_You_Pick" to represent. If you want to manually divide the grain and assign the work to processors, you could specify that in the function. Or, you could use automatic grain provided TBB. The auto_partitioner provides an alternative that heuristically chooses the grain size so that you do not have to specify one. The heuristic attempts to limit overhead while still providing ample opportunities for load balancing. Then, the last three line of the TBB code above will be:
Line 663: Line 663:
====A unified example====
====A unified example====


We use a simple parallel example from [http://sourceforge.net Sourceforge.net] to show how it will be implemented in the three packages, namely, POSIX Threads, Intel TBB, OpenMP, to show some common and differences among them.
We use a simple parallel example from [http://sourceforge.net Sourceforge.net] to show how it will be implemented in the three packages, namely, POSIX Threads, Intel TBB, OpenMP, to show some commonalities and differences among them.


Following is the original code:
Following is the original code:
Line 799: Line 799:
====Summary: Difference among them====
====Summary: Difference among them====


*Pthreads works for all the parallelism and could express functional parallelism easily, but it needs to build specialized synchronization primitives and explicitly privatize variables, makes it more effort needed to switch a serial program in to parallel mode.  
*Pthreads works for all the parallelism and could express functional parallelism easily, but it needs to build specialized synchronization primitives and explicitly privatize variables, means there is more effort needed to switch a serial program in to parallel mode.  


*OpenMP can provide many performance enhancing features, such as atomic, barrier and flush synchronization primitives. It is very simple to use OpenMP to exploit DOALL parallelism, but the syntax for expressing functional parallelism is awkward.  
*OpenMP can provide many performance enhancing features, such as atomic, barrier and flush synchronization primitives. It is very simple to use OpenMP to exploit DOALL parallelism, but the syntax for expressing functional parallelism is awkward.  


*Intel TBB relies on generic programming, it performs better with custom iteration spaces or complex reduction operations. Also, it provides generic parallel patterns for parallel while-loops, data-flow pipeline models, parallel sorts and prefixes, so it's better in cases go beyond loop-based parallelism.
*Intel TBB relies on generic programming, it performs better with custom iteration spaces or complex reduction operations. Also, it provides generic parallel patterns for parallel while-loops, data-flow pipeline models, parallel sorts and prefixes, so it's better in cases that go beyond loop-based parallelism.
 
 
 
==Synchronization Mechanisms==
 
===Overveiw===
 
In order to accomplish the above parallelizations in a real system, the memory must be carefully orchestrated such that no information gets corrupted.  Every architecture handles synchronizing data from parallel processors slightly differently.  This section is going to look at different architectures and highlight a few of the mechanisms that are used to achieve this memory synchorization.
 
 
===IA-64===
IA-64 is an Intel architecture that is mainly used in Itanium processors.
====Spinlock====
the spinlock is used to guard against multiple accesses to the critical section at the same time.  The critical section is a section of code that must be executed in sequential order, it cannot be parallelized.  Therefore, when a parallel process comes across an occupied critical section the process will “spin” until the lock is released. [[#References|<sup>[12]</sup>]]
 
  // available. If it is 1, another process is in the critical section.
  //
 
  spin_lock:
    mov ar.ccv = 0 // cmpxchg looks for avail (0)
    mov r2 = 1 // cmpxchg sets to held (1)
 
  spin:
    ld8 r1 = [lock] ;; // get lock in shared state
    cmp.ne p1, p0 = r1, r2 // is lock held (ie, lock == 1)?
 
  (p1) br.cond.spnt spin ;; // yes, continue spinning
    cmpxchg8.acqrl = [lock], r2 // attempt to grab lock
    cmp.ne p1, p0 = r1, r2 // was lock empty?
 
  (p1) br.cond.spnt spin ;; // bummer, continue spinning
 
  cs_begin:
    // critical section code goes here...
  cs_end:
 
    st8.rel(lock) = r0 ;; //release the lock
 
The above code demonstrates how a spin lock is used.  Once the process gets to a spin lock, it will check to see if the lock is available, if it is not, then the process will proceed into the spin loop where it will continuously check to see if the lock is available.  Once it finds out the lock is available, it will attempt to obtain the lock.  If another process obtains the lock first, then the process will branch back into the spin loop and continue to wait.
 
====Barrier====
 
A barrier is a common mechanism used to hold up processes until all processes can get to the same point.  The mechanism is useful in kinds of different parallelisms (DOALL, DOACROSS, DOPIPE, reduction, and functional parallelism)  This architecture uses a unique form of the barrier mechanism called the sense-reversing barrier.  The idea behind this barrier is to prevent race conditions.  If a process from the “next” instance of the barrier races ahead while slow processes from the current barrier are leaving, the fast processes could trap the slow processes at the “next” barrier and thus corrupting the memory synchronization. [[#References|<sup>[12]</sup>]]
 
====Dekker’s Algorithm====
 
Dekker’s Algorithm uses variables to indicate which processers are using which resources.  It basically arbitrates for a resource using these variables.  Every processor has a flag that indicates when it is in the critical section.  So when a processor is getting ready to enter the critical section it will set its flag to one, then it will check to make sure that all of the other processor flags are zero, then it will proceed into the section.  This behavior is demonstrated in the code below.  It is a two-way multiprocessor system, so there are two processor flags, flag_me and flag_you. [[#References|<sup>[12]</sup>]]
 
  // The flag_me variable is zero if we are not in the synchronization and
  // critical section code and non-zero otherwise; flag_you is similarly set
  // for the other processor.  This algorithm does not retry access to the
  // resource if there is contention.
 
  dekker:
    mov r1 = 1 ;; // my_flag = 1 (i want access)
    st8  [flag_me] = r1
    mf ;; // make st visible first
    ld8 r2 = [flag_you] ;; // is other's flag 0?
    cmp.eq p1, p0 = 0, r2
 
  (p1)
    br.cond.spnt cs_skip ;; // if not, resource in use
 
  cs_begin:
    // critical section code goes here...
  cs_end:
 
  cs_skip:
    st8.rel[flag_me] = r0 ;; // release lock
 
====Lamport’s Algorithm====
 
Lamport’s Algorithm is similar to a spinlock with the addition of a fairness mechanism that keeps track of the order in which processes request the shared resource and provides access to the shared resource in the same order.  It makes use of two variable x and y and a shared array, b.  The example below shows example code for this algorithm.  [[#References|<sup>[12]</sup>]]
 
  // The proc_id variable holds a unique, non-zero id for the process that
  // attempts access to the critical section.  x and y are the synchronization
  // variables that indicate who is in the critical section and who is attempting
  // entry. ptr_b_1 and ptr_b_id point at the 1'st and id'th element of b[].
  //
 
  lamport:
    ld8 r1 = [proc_id] ;; // r1 = unique process id
  start:
    st8 [ptr_b_id] = r1 // b[id] = "true"
    st8 [x] = r1 // x = process id
  mf // MUST fence here!
    ld8 r2 = [y] ;;
    cmp.ne p1, p0 = 0, r2;; // if (y !=0) then...
  (p1) st8 [ptr_b_id] = r0 // ... b[id] = "false"
  (p1) br.cond.sptk wait_y // ... wait until y == 0
 
  st8 [y] = r1 // y = process id
  mf
  ld8 r3 = [x] ;;
  cmp.eq p1, p0 = r1, r3 ;; // if (x == id) then..
  (p1) br.cond.sptk cs_begin // ... enter critical section
 
  st8 [ptr_b_id] = r0 // b[id] = "false"
  ld8 r3 = [ptr_b_1] // r3 = &b[1]
  mov ar.lc = N-1 ;; // lc = number of processors - 1
  wait_b:
  ld8 r2 = [r3] ;;
  cmp.ne p1, p0 = r1, r2 // if (b[j] != 0) then...
  (p1) br.cond.spnt wait_b ;; // ... wait until b[j] == 0
  add r3 = 8, r3 // r3 = &b[j+1]
  br.cloop.sptk wait_b ;; // loop over b[j] for each j
 
  ld8 r2 = [y] ;; // if (y != id) then...
  cmp.ne p1, p2 = 0, r2
  (p1)  br.cond.spnt wait_y
  br start // back to start to try again
 
  cs_begin:
    // critical section code goes here...
  cs_end:
 
  st8 [y] = r0 // release the lock
  st8.rel[ptr_b_id] = r0 ;; // b[id] = "false"
===IA-32===
 
IA-32 is an Intel architecture that is also known as x86.  This is a very widely used architecture.
 
====Locked Atomic Operation====
This is the main mechanism for this architecture to manage shared data structures such as semaphores and system segments.  The process uses the following three interdependent mechanisms to implement the locked atomic operation: [[#References|<sup>[13]</sup>]]
*  Guaranteed atomic operations.
*  Bus locking, using the LOCK# signal and the LOCK instruction prefix.
*  Cache coherency protocols that insure that atomic operations can be carried out on cached data structures (cache lock). This mechanism is present in the P6 family processors.
 
=====Guaranteed Atomic Operation=====
The following are guaranteed to be carried out automatically: [[#References|<sup>[13]</sup>]]
Reading or writing a byte.
*  Reading or writing a word aligned on a 16-bit boundary.
*  Reading or writing a doubleword aligned on a 32-bit boundary.The P6 family processors guarantee that the following additional memory operations will always be carried out atomically:
*  Reading or writing a quadword aligned on a 64-bit boundary. (This operation is also guaranteed on the Pentium® processor.)
*  16-bit accesses to uncached memory locations that fit within a 32-bit data bus.
*  16-, 32-, and 64-bit accesses to cached memory that fit within a 32-Byte cache line.
 
=====Bus Locking=====
A LOCK signal is asserted automatically during certain critical sections in order to lock the system bus and grant control to the process executing the critical section.  This signal will disallow control of this bus by any other process while the LOCK is engaged.
 
===Linux Kernel===
 
Linux Kernel is referred to as an “architecture”, however it is fairly unconventional in that it is an open source operating system that has full access to the hardware. It uses many common synchronization mechanisms, so it will be considered here. [[#References|<sup>[15]</sup>]]
 
====Busy-waiting lock====
 
=====Spinlocks=====
 
This mechanism is very similar to the mechanism described in the IA-64 architecture.  It is a mechanism used to manage access to a critical section of code.  If a process tries to access the critical section and is rejected it will sit and “spin” while it waits for the lock to be released.
 
=====Rwlocks=====
 
This is a special kind of spinlock.  It is for protected structures that are frequently read, but rarely written.  This lock allows multiple reads in parallel, which can increase efficiency if process are not having to sit and wait in order to merely carry out a read function.  Like before however, one write is allowed at a time with no reads done in parallel
 
=====Brlocks=====
 
This is a super fast read/write lock, but it has a write-side penalty.  The main advantage of this lock is to prevent cache “ping-pong” in a multiple read case.
 
====Sleeper locks====
 
=====Semiphores=====
 
A semaphore is special variable that acts similar to a lock.  If the semaphore can be acquired then the process can proceed into the critical section.  If the semaphore cannon be acquired, then the process is “put to sleep” and the processor is then used for another process.  This means the processes cache is saved off in a place where it can be retrieved when the process is “woken up”.  Once the semaphore is available the “sleeping” process is woken up and obtains the semaphore and proceeds in to the critical section.
 
 
===CUDA===
 
CUDA, or Compute Unified Device Architecture, is an Nvidia architecture which is the computing engine for their graphics processors.
 
====_syncthreads====
 
The _syncthreads operation can be used at the end of a parallel section as a sort of “barrier” mechanicm.  It is necessary to ensure the accuracy of the memory.  In the following example, there are two calls to _syncthreads.  They are both necessary to ensure the expected results are obtained.  Without it, myArray[tid] could end up being either 2 or the original value of myArray[] depending on when the read and write take place.[[#References|<sup>[14]</sup>]]
 
  // myArray is an array of integers located in global or shared
  // memory
  __global__ void MyKernel(int* result) {
    int tid = threadIdx.x;
    ...   
    int ref1 = myArray[tid];
      __syncthreads();
    myArray[tid + 1] = 2;
      __syncthreads();
    int ref2 = myArray[tid];
    result[tid] = ref1 * ref2;
    ...   
  {


==References==
==References==
Line 818: Line 1,004:
<li>[https://computing.llnl.gov/tutorials/pthreads/#Joining POSIX Threads Programming by Blaise Barney, Lawrence Livermore National Laboratory]</li>
<li>[https://computing.llnl.gov/tutorials/pthreads/#Joining POSIX Threads Programming by Blaise Barney, Lawrence Livermore National Laboratory]</li>
<li>[http://homepage.mac.com/dbutenhof/Threads/source.html Programing with POSIX Threads source code]</li>
<li>[http://homepage.mac.com/dbutenhof/Threads/source.html Programing with POSIX Threads source code]</li>
<li>[http://refspecs.freestandards.org/IA64-softdevman-vol2.pdf IA-64 Software Development Manual]</li>
<li>[http://refspecs.freestandards.org/IA32-softdevman-vol3.pdf IA-32 Software Development Manual]</li>
<li>[http://developer.download.nvidia.com/compute/cuda/3_2_prod/toolkit/docs/CUDA_C_Programming_Guide.pdf CUDA Programming Guide]</li>
<li>[http://www.google.com/url?sa=t&source=web&cd=6&ved=0CEQQFjAF&url=http%3A%2F%2Flinuxindore.com%2Fdownloads%2Fdownload%2Fdata-structures%2Flinux-kernel-arch&ei=jxZWTaGTNI34sAPWm-ScDA&usg=AFQjCNG9UOAz7rHfwUDfayhr50M87uNOYA&sig2=azvo4h85RkoNHcZUtNIkJw Linux Kernel Architecture Overveiw]</li>
</ol>
</ol>

Revision as of 04:10, 14 February 2011

Supplement to Chapter 3: Support for parallel-programming models. Discuss how DOACROSS, DOPIPE, DOALL, etc. are implemented in packages such as Posix threads, Intel Thread Building Blocks, OpenMP 2.0 and 3.0.

Overview

In this wiki supplement, we will discuss how the three kinds of parallelisms, i.e. DOALL, DOACROSS and DOPIPE implemented in the threads packages - OpenMP, Intel Threading Building Block, POSIX Threads. We discuss each package from the perspective of variable scopes & Reduction/DOALL/DOACROSS/DOPIPE implementations.

Implementation

OpenMP

The OpenMP Application Program Interface (API) supports multi-platform shared-memory parallel programming in C/C++ and Fortran on all architectures, including Unix platforms and Windows NT platforms. Jointly defined by a group of major computer hardware and software vendors, OpenMP is a portable, scalable model that gives shared-memory parallel programmers a simple and flexible interface for developing parallel applications for platforms ranging from the desktop to the supercomputer.

Variable Clauses

There are many different types of clauses in OpenMP and each of them has various characteristics. Here we introduce data sharing attribute clauses, Synchronization clauses, Scheduling clauses, Initialization and Reduction.

Data sharing attribute clauses
  • shared: the data within a parallel region is shared, which means visible and accessible by all threads simultaneously. By default, all variables in the work sharing region are shared except the loop iteration counter.
 Format: shared (list)
 SHARED variables behave as follows:
 1. Existing in only one memory location and all threads can read or write to that address 
  • private: the data within a parallel region is private to each thread, which means each thread will have a local copy and use it as a temporary variable. A private variable is not initialized and the value is not maintained for use outside the parallel region. By default, the loop iteration counters in the OpenMP loop constructs are private.
 Format: private (list)
 PRIVATE variables behave as follows: 
   1. A new object of the same type is declared once for each thread in the team
   2. All references to the original object are replaced with references to the new object
   3. Variables declared PRIVATE should be assumed to be uninitialized for each thread 
  • default: allows the programmer to state that the default data scoping within a parallel region will be either shared, or none for C/C++, or shared, firstprivate, private, or none for Fortran. The none option forces the programmer to declare each variable in the parallel region using the data sharing attribute clauses.
 Format: default (shared | none)
 DEFAULT variables behave as follows: 
   1. Specific variables can be exempted from the default using the PRIVATE, SHARED, FIRSTPRIVATE, LASTPRIVATE, and REDUCTION clauses. 
   2. Using NONE as a default requires that the programmer explicitly scope all variables.
Synchronization clauses
  • critical section: the enclosed code block will be executed by only one thread at a time, and not simultaneously executed by multiple threads. It is often used to protect shared data from race conditions.
 Format: #pragma omp critical [ name ]  newline
          structured_block
 CRITICAL SECTION behaves as follows:
   1. If a thread is currently executing inside a CRITICAL region and another thread reaches that CRITICAL region and attempts to execute it, it will block until the first thread exits that CRITICAL region.
   2. It is illegal to branch into or out of a CRITICAL block. 
  • atomic: similar to critical section, but advise the compiler to use special hardware instructions for better performance. Compilers may choose to ignore this suggestion from users and use critical section instead.
 Format: #pragma omp atomic  newline
          statement_expression
 ATOMIC behaves as follows:
   1. Only to a single, immediately following statement.
   2. An atomic statement must follow a specific syntax. 
  • ordered: the structured block is executed in the order in which iterations would be executed in a sequential loop
 Format: #pragma omp for ordered [clauses...]
         (loop region)
         #pragma omp ordered  newline
         structured_block
         (endo of loop region)
 ORDERED behaves as follows:
   1. only appear in the dynamic extent of for or parallel for (C/C++).
   2. Only one thread is allowed in an ordered section at any time.
   3. It is illegal to branch into or out of an ORDERED block. 
   4. A loop which contains an ORDERED directive, must be a loop with an ORDERED clause. 
  • barrier: each thread waits until all of the other threads of a team have reached this point. A work-sharing construct has an implicit barrier synchronization at the end.
  Format: #pragma omp barrier  newline
  BARRIER behaves as follows:
   1. All threads in a team (or none) must execute the BARRIER region.
   2. The sequence of work-sharing regions and barrier regions encountered must be the same for every thread in a team.
  • taskwait: specifies that threads completing assigned work can proceed without waiting for all threads in the team to finish. In the absence of this clause, threads encounter a barrier synchronization at the end of the work sharing construct.
  Format: #pragma omp taskwait  newline
  TASKWAIT behaves as follows:
   1. Placed only at a point where a base language statement is allowed.
   2. Not be used in place of the statement following an if, while, do, switch, or label.
  • flush: The FLUSH directive identifies a synchronization point at which the implementation must provide a consistent view of memory. Thread-visible variables are written back to memory at this point.
  Format: #pragma omp flush (list)  newline
  FLUSH behaves as follows:
   1. The optional list contains a list of named variables that will be flushed in order to avoid flushing all variables.
   2. Implementations must ensure any prior modifications to thread-visible variables are visible to all threads after this point.
Scheduling clauses
  • schedule(type, chunk): This is useful if the work sharing construct is a do-loop or for-loop. The iteration(s) in the work sharing construct are assigned to threads according to the scheduling method defined by this clause. The three types of scheduling are:
  1. static: Here, all the threads are allocated iterations before they execute the loop iterations. The iterations are divided among threads equally by default. However, specifying an integer for the parameter "chunk" will allocate "chunk" number of contiguous iterations to a particular thread.
  2. dynamic: Here, some of the iterations are allocated to a smaller number of threads. Once a particular thread finishes its allocated iteration, it returns to get another one from the iterations that are left. The parameter "chunk" defines the number of contiguous iterations that are allocated to a thread at a time.
  3. guided: A large chunk of contiguous iterations are allocated to each thread dynamically (as above). The chunk size decreases exponentially with each successive allocation to a minimum size specified in the parameter "chunk"
Initialization
  • firstprivate: the data is private to each thread, but initialized using the value of the variable using the same name from the master thread.
 Format: firstprivate (list)
 FIRSTPRIVATE variables behave as follows: 
   1. Listed variables are initialized according to the value of their original objects prior to entry into the parallel or work-sharing construct. 
  • lastprivate: the data is private to each thread. The value of this private data will be copied to a global variable using the same name outside the parallel region if current iteration is the last iteration in the parallelized loop. A variable can be both firstprivate and lastprivate.
 Format: lastprivate (list)
  • threadprivate: The data is a global data, but it is private in each parallel region during the runtime. The difference between threadprivate and private is the global scope associated with threadprivate and the preserved value across parallel regions.
 Format: #pragma omp threadprivate (list)
 THREADPRIVATE variables behave as follows: 
   1. On first entry to a parallel region, data in THREADPRIVATE variables and common blocks should be assumed undefined. 
   2. The THREADPRIVATE directive must appear after every declaration of a thread private variable/common block.
Reduction
  • reduction: the variable has a local copy in each thread, but the values of the local copies will be summarized (reduced) into a global shared variable. This is very useful if a particular operation (specified in "operator" for this particular clause) on a datatype that runs iteratively so that its value at a particular iteration depends on its value at a previous iteration. Basically, the steps that lead up to the operational increment are parallelized, but the threads gather up and wait before updating the datatype, then increments the datatype in order so as to avoid racing condition.
 Format: reduction (operator: list)
 REDUTION variables behave as follows: 
   1. Variables in the list must be named scalar variables. They can not be array or structure type variables. They must also be declared SHARED in the enclosing context.
   2. Reduction operations may not be associative for real numbers.

DOALL

In code 3.20, first it must include the header file omp.h which contains OpenMP function declarations. Next, A parallel region is started by #pragma omp parallel and we enclose this program bu curly brackets. We can use (setenv OMP_NUM_THREADS n) to specify the number of threads. Another way to determine the number of threads is directly calling a function (omp_set_numtheads (n)). Code 3.20 only has one loop to execute and we want it to execute in parallel, so we combine the start of the parallel loop and the start of the parallel region with one directive #pragma omp parallel for.

Code 3.20 A DOALL parallelism example in OpenMP
#include <omp.h>
...
#pragma omp parallel //start of parallel region
{
 ...
 #pragma omp parallel for default (shared)
 for ( i = 0; i < n ; i++)
   A[i] = A[i] + A[i] - 3.0;
}//end for parallel region

Apparently, there is no loop-carried dependence in i loop. With OpenMP, we only need to insert the pragma directive parallel for. The dafault(shared) clauses states that all variables within the scope of the loop are shared unless otherwise specified.

DOACROSS

We will now introduce how to implement DOACROSS in OpenMP. Here is an example code which has not been paralleled yet.

Sample Code
01: for(i=1; i< N; i++) {
02: for(j=1; j<N; j++){
03: a[i][j]=a[i-1][j]+a[i][j-1];
04: }
05: }

From this sample code, obviously, there is dependence existing here.

a[i,j] -> T a[i+1, j+1]

In OpenMP, DOALL parallel can be implemented by insert a “#pragma omp for” before the “for” structure in the source code. But there is not a pragma corresponding to DOACROSS parallel.

When we implement DOACROSS, we use a shared array "_mylocks[threadid]" which is defined to store events of each thread. Besides, a private variable _counter0 is defined to indicate the event which current thread is waiting for. "mylock" indicates the total number of threads. The number of threads is gotten by function "omp_get_num_threads()" and current thread's id is gotten by function "omp_get_thread_num()".

  • omp_get_num_threads(): Returns the number of threads that are currently in the team executing the parallel region from which it is called.
Format: #include <omp.h>
        int omp_get_num_threads(void)
OMP_GET_NUM_THREADS behaves as following:
 1. If this call is made from a serial portion of the program, or a nested parallel region that is serialized, it will return 1. 
 2. The default number of threads is implementation dependent. 
  • omp_get_thread_num(): Returns the thread number of the thread, within the team, making this call. This number will be between 0 and OMP_GET_NUM_THREADS-1. The master thread of the team is thread 0
Format: #include <omp.h>
        int omp_get_thread_num(void)
OMP_GET_THREAD_NUM behaves as followings:
 1. If called from a nested parallel region, or a serial region, this function will return 0. 

Now, let's see the code which has been paralleled and explanation.

01: int _mylocks[256]; 		//thread’s synchronized array
02: #pragma omp parallel
03: {
04:   int _counter0 = 1;
05:   int _my_id = omp_get_thread_num();
06:   int _my_nprocs= omp_get_num_threads();
07:   _mylocks[my_id] = 0;
08:   for(j_tile = 0; j_tile<N-1; j_tile+=M){
09:     if(_my_id>0) {
10:       do{
11:         #pragma omp flush(_mylock)
12:       } while(_mylock[myid-1]<_counter0);
13:       #pragma omp flush(a, _mylock)
14:       _counter0 += 1;
15:     }
16:     #pragma omp for nowait
17:     for(i=1; i< N; i++) {
18:       for(j=j_tile;j<j_tile+M;j++){
19:         a[i][j]=a[i-1][j]+a[i][j-1];
20:       }
21:     }
22:     _mylock[myid] += 1;
23:     #pragma omp flush(a, _mylock)
24:   }
25: }

We paralleled the original program in two steps.

  • First step: We divide i loop among the other four processors by inserting an OpenMP to construct “#programa omp for nowait” (line 16). Afterwards, each processor will take four interations of the loop i. The same to j loop. Assume the size of each block is 4. Each processor will execute four iterations of loop j. In order to let the total iterations be equal to the original program, j has to be enclosed in loop i. So, the new loop will be looked like for (j_tile = 2; j_tile <= 15; j_tile += 4), line 18.

The lower bound of loop j is set to j_tile and the upper bound will be j_tile+3. We will keep the other statement unchanged.

  • Second step: We are going to Synchronize the neighbor threads. After first step, the four processor will finish computing a block 4x4. If we parallel all these four processors, the dependence will be violated. So, we have to synchronized them by neighbors.

We set 4 variables as followings: 1. A private variable: _my_nprocs = omp_get_num_threads(), which indicates the total number of threads that run corresponding parallel region. 2. A private variable : _my_id = omp_get_thread_num(),which indicates the unique ID for current thread. 3. A shared array:_mylocks[proc], is initialize by 0 for each element, which is used to indicate whether the thread of proc-1 has finish computing the current block. 4. A private variable :_counter0, is initialize by 1, which indicate the block that current thread is waiting for.

With the four variables, threads are synchronized: The first thread continues to run with out waiting (line 9), because its thread ID is 0. Then all other thread can not go down after line 12. If the value in _mylocks[_my_id-1] is smaller than _counter0.

Otherwise, the block that the current thread is waiting for must have to be completed, and the current thread can go down to line 12, and mark the next block it will wait for by adding 1 to _counter0 (line 14).

When current thread finish its block, it will set that it has finish a block by mylocks[proc]++. Once the neighbor thread finds the value has been changed, it will continue running and so on. The below figure presents it to us.

DOPIPE

Here is another example code and we are going to parallelize it in DOPIPE parallelism. There is a dependence, which is S2 -> T S1, existing in the sample code.

Sample Code
01: for(i=1; i< N; i++) {
02:   S1: a[i]=b[i];
03:   S2: c[i]=c[i-1]+a[i];
04: 
05: }

Now, let's see how to parallel the sample code to DOPIPE parallelism. we still use a shared array "_mylocks[threadid]" which is defined to store events of each thread. Besides, a private variable _counter0 is defined to indicate the event which current thread is waiting for. "mylock" indicates the total number of threads. The number of threads is got by function "omp_get_num_threads()" and current thread's id is got by function "omp_get_thread_num()".

01: int _mylocks[256]; 			//thread’s synchronized array
02: #pragma omp parallel
03: {
04:   int _counter0 = 1;
05:   int _my_id = omp_get_thread_num();
06:   int _my_nprocs= omp_get_num_threads();
07:   _mylocks[my_id] = 0;
08:   for(i_tile = 0; i_tile<N-1; i_tile+=M){
09:     if(_my_id>0) {
10:       do{
11:         #pragma omp flush(_mylock)
12:       } while(_mylock[myid-1]<_counter0);
13:       #pragma omp flush(a, _mylock)
14:       _counter0 += 1;
15:     }
16:     #pragma omp for nowait
17:     for(i=1; i< N; i++) {
18:       a[i]=b[i];
19:     }
20:     for(i=1; i< N; i++) {
21:       c[i]=c[i-1]+a[i];
22:     }
23:     _mylock[myid] += 1;
24:     #pragma omp flush(a, _mylock)
25:   }
26: }

Ideally, We parallelized the original program into two steps.

  • First step: We divide i loop among the other processors by inserting an OpenMP to construct “#programa omp for nowait” (line 16). Afterwards, each processor will take interations of the loop i. Now, there are two loop i existing and each loop i contains different statements. Also, we will keep other statements remained.
  • Second step: We are going to Synchronize the threads. After first step, processors will finish computing

a[i]=b[i]. If we parallel all the processors to do the second loop i, the dependence will be violated. So, we have to synchronized them by neighbors. Still, we set 4 variables as followings: 1. A private variable: _my_nprocs = omp_get_num_threads(), which indicates the total number of threads that run corresponding parallel region. 2. A private variable : _my_id = omp_get_thread_num(),which indicates the unique ID for current thread. 3. A shared array:_mylocks[proc], is initialize by 0 for each element, which is used to indicate whether the thread of proc-1 has finish computing the current block. 4. A private variable :_counter0, is initialize by 1, which indicate the block that current thread is waiting for.

When current thread finish its block, it will set that it has finish a block by mylocks[proc]++. Once the processors finish their own block, the other processors will be able to get the value to use that value to execute in its statement and process that.

Functional Parallelism

In order to introduce function parallelism, we want to execute some code section in parallel with another code section. We use code 3.21 to show two loops execute in parallel with respect to one another, although each loop is sequentially executed.

Code 3.21 A function parallelism example in OpenMP
pragma omp parallel shared(A, B)private(i)
{
 #pragma omp sections nowait
 {
     pragma omp section
     for( i = 0; i < n ; i++)
        A[i] = A[i]*A[i] - 4.0;
     pragma omp section
     for( i = 0; i < n ; i++)
        B[i] = B[i]*B[i] - 9.0;
 }//end omp sections
}//end omp parallel

In code 3.21, there are two loops needed to be executed in parallel. We just need to insert two pragma omp section statements. Once we insert these two statements, those two loops will execute sequentially.

Intel Thread Building Blocks

Intel Threading Building Blocks (Intel TBB) is a library that supports scalable parallel programming using standard ISO C++ code. It does not require special languages or compilers. It is designed to promote scalable data parallel programming. The library consists of data structures and algorithms that allow a programmer to avoid some complications arising from the use of native threading packages such as POSIX threads, Windows threads, or the portable Boost Threads in which individual threads of execution are created, synchronized, and terminated manually. Instead the library abstracts access to the multiple processors by allowing the operations to be treated as "tasks," which are allocated to individual cores dynamically by the library's run-time engine, and by automating efficient use of the cache. This approach groups TBB in a family of solutions for parallel programming aiming to decouple the programming from the particulars of the underlying machine. Also, Intel Threading Building Blocks provides net results, which enables you to specify parallelism more conveniently than using raw threads, and at the same time can improve performance.

Variables Scope

Intel TBB is a collection of components for parallel programming, here is the overview of the library contents:

  • Basic algorithms: parallel_for, parallel_reduce, parallel_scan
  • Advanced algorithms: parallel_while, parallel_do,pipeline, parallel_sort
  • Containers: concurrent_queue, concurrent_vector, concurrent_hash_map
  • Scalable memory allocation: scalable_malloc, scalable_free, scalable_realloc, scalable_calloc, scalable_allocator, cache_aligned_allocator
  • Mutual exclusion: mutex, spin_mutex, queuing_mutex, spin_rw_mutex, queuing_rw_mutex, recursive mutex
  • Atomic operations: fetch_and_add, fetch_and_increment, fetch_and_decrement, compare_and_swap, fetch_and_store
  • Timing: portable fine grained global time stamp
  • Task Scheduler: direct access to control the creation and activation of tasks

Then we will focus on some specific TBB variables.

parallel_for

Parallel_for is the template function that performs parallel iteration over a range of values. In Intel TBB, a lot of DOALL cases could be implemented by using this function. The syntax is as follows:

template<typename Index, typename Function>
Function parallel_for(Index first, Index_type last, Index step, Function f);
template<typename Range, typename Body>
void parallel_for( const Range& range, const Body& body, [, partitioner] );

A parallel_for(first, last, step, f) represents parallel execution of the loop: "for( auto i=first; i<last; i+=step ) f(i);".

parallel_reduce

Function parallel_reduce computes reduction over a range. Syntax is as follows:

template<typename Range, typename Value, typename Func, typename Reduction>
Value parallel_reduce( const Range& range, const Value& identity, const Func& func, const Reduction& reduction );

The functional form parallel_reduce(range,identity,func,reduction) performs a parallel reduction by applying func to subranges in range and reducing the results using binary operator reduction. It returns the result of the reduction. Parameter func and reduction can be lambda expressions.

parallel_scan

This template function computes parallel prefix. Syntax is as follows:

template<typename Range, typename Body>
void parallel_scan( const Range& range, Body& body );

template<typename Range, typename Body>
void parallel_scan( const Range& range, Body& body, const auto_partitioner& );

template<typename Range, typename Body>
void parallel_scan( const Range& range, Body& body, const simple_partitioner& );

A parallel_scan(range,body) computes a parallel prefix, also known as parallel scan. This computation is an advanced concept in parallel computing that is sometimes useful in scenarios that appear to have inherently serial dependences. A further explanation will be given in the DOACROSS example.

pipeline

This class performs pipelined execution. Members as follows:

namespace tbb {
    class pipeline {
    public:
       pipeline();
       ~pipeline(); 
       void add_filter( filter& f );
       void run( size_t max_number_of_live_tokens );
       void clear();
  };
}

A pipeline represents pipelined application of a series of filters to a stream of items. Each filter operates in a particular mode: parallel, serial in order, or serial out of order. With a parallel filter, we could implement DOPIPE parallelism.

Reduction

The reduction in Intel TBB is implemented using parallel_reduce function. A parallel_reduce recursively splits the range into subranges and uses the splitting constructor to make one or more copies of the body for each thread. We use an example to illustrate this:

#include "tbb/parallel_reduce.h"
#include "tbb/blocked_range.h"
using namespace tbb;
struct Sum {
    float value;
    Sum() : value(0) {}
    Sum( Sum& s, split ) {value = 0;}
    void operator()( const blocked_range<float*>& r ) {
        float temp = value;
        for( float* a=r.begin(); a!=r.end(); ++a ) {
            temp += *a;
        }
        value = temp;
    }
    void join( Sum& rhs ) {value += rhs.value;}
};
float ParallelSum( float array[], size_t n ) {
    Sum total;
    parallel_reduce( blocked_range<float*>( array, array+n ), total );
    return total.value;
}

The above example sums the values in the array. The parallel_reduce will do the reduction within the range of (array, array+n), to split the working body, and then join them by the return value for each split.

DOALL

The implementation of DOALL parallelism in Intel TBB will involve Parallel_for function. To better illustrate the usage, here we discuss a simple example. The following is the original code:

void SerialApplyFoo( float a[], size_t n ) {
    for( size_t i=0; i<n; ++i )
        Foo(a[i]);
}

After using Intel TBB, it could be switched to the following:

#include "tbb/blocked_range.h"
#include "tbb/parallel_for.h"

class ApplyFoo {
    float *const my_a;
public:
    void operator( )( const blocked_range<size_t>& r ) const {
        float *a = my_a;
        for( size_t i=r.begin(); i!=r.end( ); ++i )
            Foo(a[i]);
    }
    ApplyFoo( float a[] ) :
        my_a(a)
    {}
};

void ParallelApplyFoo( float a[], size_t n ) {
    parallel_for(blocked_range<size_t>(0,n,The_grain_size_You_Pick), ApplyFoo(a) );
}

The example is the simplest DOALL parallelism, similar to the one in the textbook, and execution graph will be very similar as the one in DOALL section above. But with the help of this simple illustration, the TBB code just gives you a flavor of how it would be implemented in Intel Threading Building Blocks.

A little more to say, parallel_for takes an optional third argument to specify a partitioner, which I used "The_grain_size_You_Pick" to represent. If you want to manually divide the grain and assign the work to processors, you could specify that in the function. Or, you could use automatic grain provided TBB. The auto_partitioner provides an alternative that heuristically chooses the grain size so that you do not have to specify one. The heuristic attempts to limit overhead while still providing ample opportunities for load balancing. Then, the last three line of the TBB code above will be:

void ParallelApplyFoo( float a[], size_t n ) {
    parallel_for(blocked_range<size_t>(0,n), ApplyFoo(a), auto_partitioner( ) );
}

DOACROSS

We could find a good example in Intel TBB to implement a DOACROSS with the help of parallel_scan. As stated in the parallel_scan section, this function computes a parallel prefix, also known as parallel scan. This computation is an advanced concept in parallel computing which could be helpful in scenarios that appear to have inherently serial dependences, which could be loop-carried dependences.

Let's consider this scenario (which is actually the mathematical definition of parallel prefix):

T temp = id⊕;
for( int i=1; i<=n; ++i ) {
    temp = temp ⊕ x[i];
    y[i] = temp;
}

When we implement this in TBB using parallel_scan, it becomes:

using namespace tbb;
class Body {
    T sum;
    T* const y;
    const T* const x;
public:
    Body( T y_[], const T x_[] ) : sum(id⊕), x(x_), y(y_) {}
    T get_sum() const {return sum;}
    template<typename Tag>
    void operator()( const blocked_range<int>& r, Tag ) {
        T temp = sum;
        for( int i=r.begin(); i<r.end(); ++i ) {
            temp = temp ⊕ x[i];
            if( Tag::is_final_scan() )
                y[i] = temp;
        } 
        sum = temp;
    }
    Body( Body& b, split ) : x(b.x), y(b.y), sum(id⊕) {}
    void reverse_join( Body& a ) { sum = a.sum ⊕ sum;}
    void assign( Body& b ) {sum = b.sum;}
};
float DoParallelScan( T y[], const T x[], int n ) {
    Body body(y,x);
    parallel_scan( blocked_range<int>(0,n), body );
    return body.get_sum();
}

It is the second part (function DoParallelScan) that we have to focus on.

Actually, this example is just the scenario mentioned above that could take advantages of parallel_scan. The "inherently serial dependences" is taken care of by the functionality of parallel_scan. By computing the prefix, the serial code could be implemented in parallel with just one function.

DOPIPE

Pipeline class is the Intel TBB that performs pipelined execution. A pipeline represents pipelined application of a series of filters to a stream of items. Each filter operates in a particular mode: parallel, serial in order, or serial out of order. So this class can be used to implement a DOPIPE parallelism.

Here is a comparatively complex example about pipeline implementation. Also, if we look carefully, this is an example with both DOPIPE and DOACROSS:

#include <iostream>
#include "tbb/pipeline.h"
#include "tbb/tbb_thread.h"
#include "tbb/task_scheduler_init.h"
using namespace tbb;
char InputString[] = "abcdefg\n";
class InputFilter: public filter {
    char* my_ptr;
public:
    void* operator()(void*) {
        if (*my_ptr)
            return my_ptr++;
        else
            return NULL;
    }
    InputFilter() :
        filter( serial_in_order ), my_ptr(InputString) {}
};
class OutputFilter: public thread_bound_filter {
public:
    void* operator()(void* item) {
        std::cout << *(char*)item;
        return NULL;
    }
    OutputFilter() : thread_bound_filter(serial_in_order) {}
};
void RunPipeline(pipeline* p) {
    p->run(8);
}
int main() {
    // Construct the pipeline
    InputFilter f;
    OutputFilter g;
    pipeline p;
    p.add_filter(f);
    p.add_filter(g);
    // Another thread initiates execution of the pipeline
    tbb_thread t(RunPipeline,&p);
    // Process the thread_bound_filter with the current thread.
    while (g.process_item()!=thread_bound_filter::end_of_stream)
        continue;
    // Wait for pipeline to finish on the other thread.
    t.join();
    return 0;
}

The example above shows a pipeline with two filters where the second filter is a thread_bound_filter serviced by the main thread. The main thread does the following after constructing the pipeline: 1. Start the pipeline on another thread. 2. Service the thread_bound_filter until it reaches end_of_stream. 3. Wait for the other thread to finish.

POSIX Threads

POSIX Threads, or Pthreads, is a POSIX standard for threads. The standard, POSIX.1c, Threads extensions (IEEE Std 1003.1c-1995), defines an API for creating and manipulating threads.

Variable Scopes

Pthreads defines a set of C programming language types, functions and constants. It is implemented with a pthread.h header and a thread library.

There are around 100 Pthreads procedures, all prefixed "pthread_". The subroutines which comprise the Pthreads API can be informally grouped into four major groups:

  • Thread management: Routines that work directly on threads - creating, detaching, joining, etc. They also include functions to set/query thread attributes (joinable, scheduling etc.) E.g.pthread_create(), pthread_join().
  • Mutexes: Routines that deal with synchronization, called a "mutex", which is an abbreviation for "mutual exclusion". Mutex functions provide for creating, destroying, locking and unlocking mutexes. These are supplemented by mutex attribute functions that set or modify attributes associated with mutexes. E.g. pthread_mutex_lock(); pthread_mutex_trylock(); pthread_mutex_unlock().
  • Condition variables: Routines that address communications between threads that share a mutex. Based upon programmer specified conditions. This group includes functions to create, destroy, wait and signal based upon specified variable values. Functions to set/query condition variable attributes are also included. E.g. pthread_cond_signal(); pthread_cond_broadcast(); pthread_cond_wait(); pthread_cond_timedwait();pthread_cond_reltimedwait_np().
  • Synchronization: Routines that manage read/write locks and barriers. E.g. pthread_rwlock_rdlock(); pthread_rwlock_tryrdlock(); pthread_rwlock_wrlock();pthread_rwlock_trywrlock(); pthread_rwlock_unlock();pthread_barrier_init(); pthread_barrier_wait()

DOALL

The following is a simple code example in C, as DOALL parallelism, to print out each threads' ID#.

#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#define NUM_THREADS     5
 
void *PrintHello(void *threadid)
{
   long tid;
 
   tid = (long)threadid;
   printf("Hello World! It's me, thread #%ld!\n", tid);
   pthread_exit(NULL);
}
 
int main (int argc, char *argv[])
{
   pthread_t threads[NUM_THREADS];
 
   int rc;
   long t;
   for(t=0; t<NUM_THREADS; t++){
      printf("In main: creating thread %ld\n", t);
      rc = pthread_create(&threads[t], NULL, PrintHello, (void *)t);
 
      if (rc){
         printf("ERROR; return code from pthread_create() is %d\n", rc);
         exit(-1);
      }
   }
   pthread_exit(NULL);
}

This loop contains only single statement which doesn't cross the iterations, so each iteration could be considered as a parallel task.

DOACROSS

When it comes to using Pthreads to implement DOACROSS, it could express functional parallelism easily, but make the parallelism unnecessarily complicated. See an example below: from POSIX Threads Programming by Blaise Barney

#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#define NUM_THREADS	

void *BusyWork(void *t)
{
  int i;
  long tid;
  double result=0.0;
  tid = (long)t;
  printf("Thread %ld starting...\n",tid);
  for (i=0; i<1000000; i++)
  {
     result = result + sin(i) * tan(i);
  }
  printf("Thread %ld done. Result = %e\n",tid, result);
  pthread_exit((void*) t);
}

int main (int argc, char *argv[])
{
  pthread_t thread[NUM_THREADS];
  pthread_attr_t attr;
  int rc;
  long t;
  void *status;

  /* Initialize and set thread detached attribute */
  pthread_attr_init(&attr);
  pthread_attr_setdetachstate(&attr, PTHREAD_CREATE_JOINABLE);

  for(t=0; t<NUM_THREADS; t++) {
     printf("Main: creating thread %ld\n", t);
     rc = pthread_create(&thread[t], &attr, BusyWork, (void *)t); 
     if (rc) {
        printf("ERROR; return code from pthread_create() 
               is %d\n", rc);
        exit(-1);
        }
     }

  /* Free attribute and wait for the other threads */
  pthread_attr_destroy(&attr);
  for(t=0; t<NUM_THREADS; t++) {
     rc = pthread_join(thread[t], &status);
     if (rc) {
        printf("ERROR; return code from pthread_join() 
               is %d\n", rc);
        exit(-1);
        }
     printf("Main: completed join with thread %ld having a status   
           of %ld\n",t,(long)status);
     }

printf("Main: program completed. Exiting.\n");
pthread_exit(NULL);
}

This example demonstrates how to "wait" for thread completions by using the Pthread join routine. Since some implementations of Pthreads may not create threads in a joinable state, the threads in this example are explicitly created in a joinable state so that they can be joined later.

DOPIPE

There is examples of using Posix Threads to implement DOPIPE parallelism, but unnecessarily complex. Due to the long length, we won't provide it here. If the reader is interested, it could be found in

  • Pthreads DOPIPE example
  • Comparison among the three

    A unified example

    We use a simple parallel example from Sourceforge.net to show how it will be implemented in the three packages, namely, POSIX Threads, Intel TBB, OpenMP, to show some commonalities and differences among them.

    Following is the original code:

    Grid1 *g = new Grid1(0, n+1);
    Grid1IteratorSub it(1, n, g);
    DistArray x(g), y(g);
    ...
    float e = 0;
    ForEach(int i, it,
       x(i) += ( y(i+1) + y(i-1) )*.5;
       e += sqr( y(i) ); )
    ...
    

    Then we are going to show the implementations in different packages, and also make a brief summary of the three packages.

    In POSIX Thread

    POSIX Thread: Symmetric multi processing, e.g. SMP multi-processor computers, multi-core processors, virtual shared memory computer.

    Data layout: A single global memory. Each thread reads global shared data and writes to a private fraction of global data.

    A simplified translation of the example parallel-for loop is given below.

    Global declaration:

    #include <pthread.h>
    float *x, *y;
    float vec[8];
    int nn, pp;
    

    thread code:

    void *sub1(void *arg) {
       int p = (int)arg;
       float e_local = 0;
       for (int i=1+(nn*p)/pp; i<1+(nn*(p+1))/pp; ++i) {
         x[i] += ( y[i+1] + y[i-1] )*.5;
         e_local += y[i] * y[i];
       }
       vec[p] = e_local;
       return (void*) 0;
    }
    

    main code:

    x = new float[n+1];
    y = new float[n+1];
    ...
    float e = 0;
    int p_threads = 8;
    nn = n-1;
    pp = p_threads;
    pthread_t threads[8];
    pthread_attr_t attr;
    pthread_attr_init(&attr);
    for (int p=0; p<p_threads; ++p)
       pthread_create(&threads[p], &attr,
         sub1, (void *)p);
    for (int p=0; p<p_threads; ++p) {
       pthread_join(threads[p], NULL);
       e += vec[p];
    }
    ...
    delete[] x, y;
    
    In Intel Threading Building Blocks

    Intel TBB: A C++ library for thread programming, e.g. SMP multi-processor computers, multi-core processors, virtual shared memory computer.

    Data layout: A single global memory. Each thread reads global shared data and writes to a private fraction of global data.

    Translation of the example parallel-for loop is given below.

    Global:

    #include "tbb/task_scheduler_init.h"
    #include "tbb/blocked_range.h"
    #include "tbb/parallel_reduce.h"
    #include "tbb/cache_aligned_allocator.h"
    using namespace tbb;
    

    thread code:

    struct sub1 {
       float ee;
       float *x, *y;
       sub1(float *xx, float *yy) : ee(0), x(xx), y(yy) {}
       sub1(sub1& s, split) { ee = 0; x = s.x; y = s.y; }
       void operator() (const blocked_range<int> & r){
         float e = ee;
         for (int i = r.begin(); i!= r.end(); ++i) {
           x[i] += ( y[i+1] + y[i-1] )*.5;
           e += y[i] * y[i];
         }
         ee = e;
       }
       void join(sub1& s) { ee += s.ee; }
    };
    

    main code:

    task_scheduler_init init;
    ...
    float e;
    float *x = cache_aligned_allocator<float>().allocate(n+1);
    float *y = cache_aligned_allocator<float>().allocate(n+1);
    ...
    sub1 s(x, y);
    parallel_reduce(blocked_range<int>(1, n, 1000), s);
    e = s.ee;
    ...
    cache_aligned_allocator<float>().deallocate(x, n+1);
    cache_aligned_allocator<float>().deallocate(y, n+1);
    
    In OpenMP shared memory parallel code annotations

    OpenMP: Usually automatic paralleization with a run-time system based on a thread library.

    A simplified translation of the example parallel-for loop is given below.

    Global:

    float e;
    

    main code:

    float *x = new float[n+1];
    float *y = new float[n+1];
    ...
    e = 0;
    #pragma omp for reduction(+:e)
    for (int i=1; i<n; ++i) {
       x[i] += ( y[i+1] + y[i-1] )*.5;
       e += y[i] * y[i];
    }
    ...
    delete[] x, y;
    

    Summary: Difference among them

    • Pthreads works for all the parallelism and could express functional parallelism easily, but it needs to build specialized synchronization primitives and explicitly privatize variables, means there is more effort needed to switch a serial program in to parallel mode.
    • OpenMP can provide many performance enhancing features, such as atomic, barrier and flush synchronization primitives. It is very simple to use OpenMP to exploit DOALL parallelism, but the syntax for expressing functional parallelism is awkward.
    • Intel TBB relies on generic programming, it performs better with custom iteration spaces or complex reduction operations. Also, it provides generic parallel patterns for parallel while-loops, data-flow pipeline models, parallel sorts and prefixes, so it's better in cases that go beyond loop-based parallelism.


    Synchronization Mechanisms

    Overveiw

    In order to accomplish the above parallelizations in a real system, the memory must be carefully orchestrated such that no information gets corrupted. Every architecture handles synchronizing data from parallel processors slightly differently. This section is going to look at different architectures and highlight a few of the mechanisms that are used to achieve this memory synchorization.


    IA-64

    IA-64 is an Intel architecture that is mainly used in Itanium processors.

    Spinlock

    the spinlock is used to guard against multiple accesses to the critical section at the same time. The critical section is a section of code that must be executed in sequential order, it cannot be parallelized. Therefore, when a parallel process comes across an occupied critical section the process will “spin” until the lock is released. [12]

     // available. If it is 1, another process is in the critical section.
     //
     
     spin_lock:
       mov	ar.ccv = 0			// cmpxchg looks for avail (0)
       mov	r2 = 1				// cmpxchg sets to held (1)
     
     spin: 
       ld8	r1 = [lock] ;;			// get lock in shared state
       cmp.ne	p1, p0 = r1, r2		// is lock held (ie, lock == 1)?
     
     (p1)	br.cond.spnt	spin ;;		// yes, continue spinning
       cmpxchg8.acqrl = [lock], r2		// attempt to grab lock
       cmp.ne p1, p0 = r1, r2		// was lock empty?
     
     (p1)	br.cond.spnt	spin ;;		// bummer, continue spinning
     
     cs_begin:
       // critical section code goes here...
     cs_end:
     
       st8.rel(lock) = r0 ;;		//release the lock
    

    The above code demonstrates how a spin lock is used. Once the process gets to a spin lock, it will check to see if the lock is available, if it is not, then the process will proceed into the spin loop where it will continuously check to see if the lock is available. Once it finds out the lock is available, it will attempt to obtain the lock. If another process obtains the lock first, then the process will branch back into the spin loop and continue to wait.

    Barrier

    A barrier is a common mechanism used to hold up processes until all processes can get to the same point. The mechanism is useful in kinds of different parallelisms (DOALL, DOACROSS, DOPIPE, reduction, and functional parallelism) This architecture uses a unique form of the barrier mechanism called the sense-reversing barrier. The idea behind this barrier is to prevent race conditions. If a process from the “next” instance of the barrier races ahead while slow processes from the current barrier are leaving, the fast processes could trap the slow processes at the “next” barrier and thus corrupting the memory synchronization. [12]

    Dekker’s Algorithm

    Dekker’s Algorithm uses variables to indicate which processers are using which resources. It basically arbitrates for a resource using these variables. Every processor has a flag that indicates when it is in the critical section. So when a processor is getting ready to enter the critical section it will set its flag to one, then it will check to make sure that all of the other processor flags are zero, then it will proceed into the section. This behavior is demonstrated in the code below. It is a two-way multiprocessor system, so there are two processor flags, flag_me and flag_you. [12]

     // The flag_me variable is zero if we are not in the synchronization and 
     // critical section code and non-zero otherwise; flag_you is similarly set
     // for the other processor.  This algorithm does not retry access to the 
     // resource if there is contention.
     
     dekker:
       mov		r1 = 1 ;;		// my_flag = 1 (i want access)
       st8  	[flag_me] = r1
       mf ;;				// make st visible first
       ld8 	r2 = [flag_you] ;;		// is other's flag 0?
       cmp.eq p1, p0 = 0, r2
     
     (p1) 
       br.cond.spnt cs_skip ;;		// if not, resource in use 
     
     cs_begin:
       // critical section code goes here...
     cs_end:
     
     cs_skip:
       st8.rel[flag_me] = r0 ;;		// release lock
    

    Lamport’s Algorithm

    Lamport’s Algorithm is similar to a spinlock with the addition of a fairness mechanism that keeps track of the order in which processes request the shared resource and provides access to the shared resource in the same order. It makes use of two variable x and y and a shared array, b. The example below shows example code for this algorithm. [12]

     // The proc_id variable holds a unique, non-zero id for the process that 
     // attempts access to the critical section.  x and y are the synchronization
     // variables that indicate who is in the critical section and who is attempting
     // entry. ptr_b_1 and ptr_b_id point at the 1'st and id'th element of b[].
     //
     
     lamport:
       	ld8		r1 = [proc_id] ;;	// r1 = unique process id
     start:
       	st8	[ptr_b_id] = r1		// b[id] = "true"
       	st8	[x] = r1			// x = process id
      	mf					// MUST fence here!
       	ld8	r2 = [y] ;;
       	cmp.ne p1, p0 = 0, r2;;		// if (y !=0) then...
     (p1)	st8	[ptr_b_id] = r0		// ... b[id] = "false"
     (p1)	br.cond.sptk	wait_y		// ... wait until y == 0
     
     	st8	[y] = r1		// y = process id
     	mf
     	ld8 	r3 = [x] ;;		
     	cmp.eq p1, p0 = r1, r3 ;;	// if (x == id) then..
     (p1)	br.cond.sptk cs_begin		// ... enter critical section
     
     	st8 	[ptr_b_id] = r0		// b[id] = "false"
     	ld8	r3 = [ptr_b_1]		// r3 = &b[1]
     	mov	ar.lc = N-1 ;;		// lc = number of processors - 1
     wait_b:
     	ld8	r2 = [r3] ;;		
     	cmp.ne p1, p0 = r1, r2		// if (b[j] != 0) then...
     (p1)	br.cond.spnt	wait_b ;;	// ... wait until b[j] == 0
     	add	r3 = 8, r3		// r3 = &b[j+1]
     	br.cloop.sptk	wait_b ;;	// loop over b[j] for each j
     
     	ld8	r2 = [y] ;;		// if (y != id) then...
     	cmp.ne p1, p2 = 0, r2
     (p1)  br.cond.spnt 	wait_y
     	br	start			// back to start to try again
     
     cs_begin:
       // critical section code goes here...
     cs_end:
     
     	st8	[y] = r0		// release the lock
     	st8.rel[ptr_b_id] = r0 ;;	// b[id] = "false"
    

    IA-32

    IA-32 is an Intel architecture that is also known as x86. This is a very widely used architecture.

    Locked Atomic Operation

    This is the main mechanism for this architecture to manage shared data structures such as semaphores and system segments. The process uses the following three interdependent mechanisms to implement the locked atomic operation: [13]

    • Guaranteed atomic operations.
    • Bus locking, using the LOCK# signal and the LOCK instruction prefix.
    • Cache coherency protocols that insure that atomic operations can be carried out on cached data structures (cache lock). This mechanism is present in the P6 family processors.
    Guaranteed Atomic Operation

    The following are guaranteed to be carried out automatically: [13] Reading or writing a byte.

    • Reading or writing a word aligned on a 16-bit boundary.
    • Reading or writing a doubleword aligned on a 32-bit boundary.The P6 family processors guarantee that the following additional memory operations will always be carried out atomically:
    • Reading or writing a quadword aligned on a 64-bit boundary. (This operation is also guaranteed on the Pentium® processor.)
    • 16-bit accesses to uncached memory locations that fit within a 32-bit data bus.
    • 16-, 32-, and 64-bit accesses to cached memory that fit within a 32-Byte cache line.
    Bus Locking

    A LOCK signal is asserted automatically during certain critical sections in order to lock the system bus and grant control to the process executing the critical section. This signal will disallow control of this bus by any other process while the LOCK is engaged.

    Linux Kernel

    Linux Kernel is referred to as an “architecture”, however it is fairly unconventional in that it is an open source operating system that has full access to the hardware. It uses many common synchronization mechanisms, so it will be considered here. [15]

    Busy-waiting lock

    Spinlocks

    This mechanism is very similar to the mechanism described in the IA-64 architecture. It is a mechanism used to manage access to a critical section of code. If a process tries to access the critical section and is rejected it will sit and “spin” while it waits for the lock to be released.

    Rwlocks

    This is a special kind of spinlock. It is for protected structures that are frequently read, but rarely written. This lock allows multiple reads in parallel, which can increase efficiency if process are not having to sit and wait in order to merely carry out a read function. Like before however, one write is allowed at a time with no reads done in parallel

    Brlocks

    This is a super fast read/write lock, but it has a write-side penalty. The main advantage of this lock is to prevent cache “ping-pong” in a multiple read case.

    Sleeper locks

    Semiphores

    A semaphore is special variable that acts similar to a lock. If the semaphore can be acquired then the process can proceed into the critical section. If the semaphore cannon be acquired, then the process is “put to sleep” and the processor is then used for another process. This means the processes cache is saved off in a place where it can be retrieved when the process is “woken up”. Once the semaphore is available the “sleeping” process is woken up and obtains the semaphore and proceeds in to the critical section.


    CUDA

    CUDA, or Compute Unified Device Architecture, is an Nvidia architecture which is the computing engine for their graphics processors.

    _syncthreads

    The _syncthreads operation can be used at the end of a parallel section as a sort of “barrier” mechanicm. It is necessary to ensure the accuracy of the memory. In the following example, there are two calls to _syncthreads. They are both necessary to ensure the expected results are obtained. Without it, myArray[tid] could end up being either 2 or the original value of myArray[] depending on when the read and write take place.[14]

     // myArray is an array of integers located in global or shared
     // memory
     __global__ void MyKernel(int* result) {
        int tid = threadIdx.x;
       ...    
        int ref1 = myArray[tid];
         __syncthreads();
       myArray[tid + 1] = 2;
         __syncthreads();
       int ref2 = myArray[tid];
       result[tid] = ref1 * ref2;
       ...    
     {
    

    References

    1. OpenMP.org
    2. An Optimal Abtraction Model for Hardware Multithreading in Modern Processor Architectures
    3. Intel Threading Building Blocks 2.2 for Open Source Reference Manual
    4. NCSU CSC 506 Parallel Computing Systems
    5. Sourceforge.net
    6. OpenMP
    7. Barrier Optimization for OpenMP Program
    8. Performance Programming: Theory, Practice and Case Studies
    9. Intel® Threading Building Blocks, OpenMP, or native threads?
    10. POSIX Threads Programming by Blaise Barney, Lawrence Livermore National Laboratory
    11. Programing with POSIX Threads source code
    12. IA-64 Software Development Manual
    13. IA-32 Software Development Manual
    14. CUDA Programming Guide
    15. Linux Kernel Architecture Overveiw