The OpenMP 4.0 specification was finalised and published several days ago here. It still mandates that parallel loops should be in the canonical form (§2.6, p.51):
for (
init-expr;
test-expr;
incr-expr)
structured-block
The standard allows for containers that provide random-access iterators to be used in all of the expressions, e.g.:
#pragma omp parallel for
for (it = v.begin(); it < v.end(); it++)
{
...
}
If you still insist on using the C++11 syntactic sugar, and if it takes a (comparatively) lot of time to process each element of stl_container
, then you could use the single-producer tasking pattern:
#pragma omp parallel
{
#pragma omp single
{
for (auto x : stl_container)
{
#pragma omp task
{
// Do something with x, e.g.
compute(x);
}
}
}
}
Tasking induces certain overhead so it would make no sense to use this pattern if compute(x);
takes very little time to complete.