Я только что опубликовал пост в своем блоге, посвященный именно этой проблеме .
К сообщению прилагается простое демонстрационное приложение, демонстрирующее, как добиться того, чего вы хотите.
Решение должно быть достаточно общим, чтобы его можно было повторно использовать, и оно основано на следующем пользовательском методе расширения:
public static class Extensions
{
/// <summary>
/// Applies an action to each item in the sequence, which action depends on the evaluation of the predicate.
/// </summary>
/// <typeparam name="TSource">The type of the elements of source.</typeparam>
/// <param name="source">A sequence to filter.</param>
/// <param name="predicate">A function to test each element for a condition.</param>
/// <param name="posAction">An action used to mutate elements that match the predicate's condition.</param>
/// <param name="negAction">An action used to mutate elements that do not match the predicate's condition.</param>
/// <returns>The elements in the sequence that matched the predicate's condition and were transformed by posAction.</returns>
public static IEnumerable<TSource> ApplyMutateFilter<TSource>(this IEnumerable<TSource> source,
Func<TSource, bool> predicate,
Action<TSource> posAction,
Action<TSource> negAction)
{
if (source != null)
{
foreach (TSource item in source)
{
if (predicate(item))
{
posAction(item);
}
else
{
negAction(item);
}
}
}
return source.Where(predicate);
}
}