Logo

Programming-Idioms

  • C
  • Clojure

Idiom #30 Parallelize execution of 1000 independent tasks

Launch the concurrent execution of the procedure f with parameter i from 1 to 1000.
Tasks are independent and f(i) doesn't return any value.
Tasks need not run all at the same time, so you may use a pool.

(dorun (pmap f (range 1 1001)))
#include <future>
#include <vector>
auto futures = std::vector<std::future<void>>{};
for (auto i = 1; i <= 1000; ++i)
{
	futures.emplace_back(std::async(f, i));
}

I used futures to join automatically threads through std::future destructor, one could use std::thread instead.

This code is written in c++17, in c++20, you could use ranges to make it smaller.

New implementation...