Training/openMP

From HPC
Revision as of 15:37, 23 April 2018 by Pysdlb (talk | contribs)

Jump to: navigation , search

Introduction

openMP allows threaded programming across a shared memory system, so on our HPC this means utilizing more than one processing core across one computing node.

A shared memory computer consists of a number of processing cores together with some memory. Shared memory systems is a single address space across the whole memory system.

  • every processing core can read and write all memory locations in the system
  • one logical memory space
  • all cores refer to a memory location using the same address

Programming model

Within the idea of the shared memory model we use the idea of threads which can share memory by all the other threads. These also have the following characteristics:

  • Private data can only be accessed by the thread owning it
  • Each thread can run simultaneous to other threads but also asynchronously, so we need to be careful of race conditions.
  • Usually we have one thread per processing core, although there maybe hardware support for more (e.g. hyper-threading)

Thread Synchronization

As previously mention threads execute asynchronous;y, which means each thread proceeds through program instruction independently of other threads.

Although this makes for a very flexible system we must be very careful about the actions on shared variables occur in the correct order.

  • e.g. If we access a variable to read on thread 1 before thread 2 has written to it we will cause a program crash, likewise is updates to shared variables are accessed by different threads at the same time, one of the updates may get overwritten.

To prevent this happen we must either use variables that are independent of the different threads (ie different parts of an array) or perform some sort of synchronization within the code so different threads get to the same point at the same time.

First threaded program

Creating the most basic C program would be like the following:

#include<stdio.h>
int main()
{
    printf(“ hello world\n”);
    return 0;   
}

To thread this we must tell the compiler which parts of the program to make into threads

#include<omp.h>
#include<stdio.h>
int main()
{
    #pragma omp parallel
    {
        printf(“ hello world\n”);
    }
    return 0;   
}

To compile this we use the command:

  • gcc -fopenmp myprogram.c -o myprogram (gcc compiler)
  • icc -fopenmp myprogram.c -o myprogram (Intel compiler)


Parallel loops

Loops are the main source of parallelism in many applications. If the iterations of a loop are independent (can be done in any order) then we can share out the iterations between different threads.

  • e.g. if we have two threads and the loop
for (i=0; i<100; i++)
{
    a[i] += b[i];
}

we could do iteration 0-49 on one thread and iterations 50-99 on the other. We can think of an iteration, or a set of iterations, as a task.


Further Information

Icon home.png