openmp
Prosty przykład równoległy
Szukaj…
Składnia
#pragma omp parallel
wskazuje, że wszystkie bloki powinny wykonać następujący blok.int omp_get_num_threads (void)
: zwraca liczbę wątków pracujących w regionie równoległym (inaczej zespół wątków).int omp_get_thread_num (void)
: zwraca identyfikator wątku wywołującego (zakres od 0 do N-1, gdzie N jest ograniczony doomp_get_num_threads()
).
Uwagi
Możesz użyć zmiennej środowiskowej OMP_NUM_THREADS
lub dyrektywy num_threads
w #pragma parallel
aby wskazać liczbę wykonujących wątków odpowiednio dla całej aplikacji lub dla określonego regionu.
Równoległy świat cześć za pomocą OpenMP
Poniższy kod C używa modelu programowania równoległego OpenMP do zapisania identyfikatora wątku i liczby wątków na standardowe stdout
przy użyciu wielu wątków.
#include <omp.h>
#include <stdio.h>
int main ()
{
#pragma omp parallel
{
// ID of the thread in the current team
int thread_id = omp_get_thread_num();
// Number of threads in the current team
int nthreads = omp_get_num_threads();
printf("I'm thread %d out of %d threads.\n", thread_id, nthreads);
}
return 0;
}
W Fortran 90+ podobny program wygląda następująco:
program Hello
use omp_lib, only: omp_get_thread_num, omp_get_num_threads
implicit none
integer :: thread_id
integer :: nthreads
!$omp parallel private( thread_id, nthreads )
! ID of the thread in the current team
thread_id = omp_get_thread_num()
! Number of threads in the current team
nthreads = omp_get_num_threads()
print *, "I'm thread", thread_id, "out of", nthreads, "threads."
!$omp end parallel
end program Hello