Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Elixir

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.

f = fn x -> x * :rand.uniform() end

tasks = Enum.map(1..1000, fn i ->
  Task.async(fn ->
    f.(i)
  end)
end)

results = Task.yield_many(tasks, :infinity)

# Optional, if you care for the result
IO.inspect Enum.map(results, fn {_, {:ok, val}} -> val end)

async creates a parallel task.

yield_many awaits on many given tasks for a given time. By default it timeouts on 5 seconds, and timed-out tasks will keep running. Passing :infinite as the second argument disables the timeout and blocks the caller indefinitely.

yield_many always returns a list of pairs, with the task and the possible return value, either a tuple of :ok and the returned value, a tuple of :error and the reason for it, or nil if the task timed out.
(dorun (pmap f (range 1 1001)))

New implementation...