A data flow helper class
One problem I encounter when processing lists is exception handling. I prefer to write code that "chains" calls transforming the data:     var results = list     .Select(DoThing1)     .Select(DoThing2)     // ...     .Select(DoThingN)     .ToList();  The problem with something like this is that, if any of the calls throws an exception, processing stops for the whole list. Handling that requires that I move the "chain" to a new method and handle exceptions there:     var results = list.Select(InnerMethod).ToList();    // ...   private ResultN InnerMethod(Input input)   {     try     {       var r1 = DoThing1(input);       var r2 = DoThing2(r1);       // ...       var rn = DoThingN(rn_1);              return rn;     }     catch(Exception ex)     {       // do something with ex, like logging       return ?? // can't throw, I want to continue processing the rest of the list     }   }  Now I have two problems :) One is that the code just looks uglier, so maybe most p...