Parallel Task Library WaitAny Design
- by colithium
I've just begun to explore the PTL and have a design question.
My Scenario:
I have a list of URLs that each refer to an image.  I want each image to be downloaded in parallel.  As soon as at least one image is downloaded, I want to execute a method that does something with the downloaded image.  That method should NOT be parallelized -- it should be serial.
I think the following will work but I'm not sure if this is the right way to do it.  Because I have separate classes for collecting the images and for doing "something" with the collected images, I end up passing around an array of Tasks which seems wrong since it exposes the inner workings of how images are retrieved.  But I don't know a way around it.  In reality there is more to both of these methods but that's not important for this.  Just know that they really shouldn't be lumped into one large method that both retrieves and does something with the image.
Task<Image>[] downloadTasks = collector.RetrieveImages(listOfURLs);
for (int i = 0; i < listOfURLs.Count; i++)
{
    //Wait for any of the remaining downloads to complete
    int completedIndex = Task<Image>.WaitAny(downloadTasks);
    Image completedImage = downloadTasks[completedIndex].Result;
    //Now do something with the image (this "something" must happen serially)
}
///////////////////////////////////////////////////
public Task<Image>[] RetrieveImages(List<string> urls)
{
    Task<Image>[] tasks = new Task<Image>[urls.Count];
    int index = 0;
    foreach (string url in urls)
    {
        string lambdaVar = url;  //Required... Bleh
        tasks[index] = Task<Image>.Factory.StartNew(() =>
            {
                using (WebClient client = new WebClient())
                {
                    //TODO: Replace with live image locations
                    string fileName = String.Format("{0}.png", i);
                    client.DownloadFile(lambdaVar, Path.Combine(Application.StartupPath, fileName));
                }
                return Image.FromFile(Path.Combine(Application.StartupPath, fileName));
            },
            TaskCreationOptions.LongRunning | TaskCreationOptions.AttachedToParent);
        index++;
    }
    return tasks;
}