I was wondering if there is any concurrency (now or future), or performance benefit to using yield return over returning a list. See the following examples
Processing Method
void Page_Load()
{
foreach(var item in GetPostedItems())
Process(item);
}
using yield return
IEnumerable<string> GetPostedItems()
{
yield return Item1.Text;
yield return Item2.Text;
yield return Item3.Text;
}
returning a list
IEnumerable<string> GetPostedItems()
{
var list = new List<string>();
list.Add(Item1.Text);
list.Add(Item2.Text);
list.Add(Item3.Text);
return list;
}
In the
yield return
example, the result is evaluated on each call ofIEnumerable.MoveNext
whereas in the list example, all results are evaluated before theIEnumerable
is returned (note that theText
properties may not be evaluated for each result as caching and inlining can occur). Therefore, withyield return
you should get a small performance enhancement on the first call to the enumerator and then potentially a small performance decrease on each subsequent call toIEnumerable.MoveNext
as the property is evaluated.One of the great things about
yield return
is that you can return infinite sequences, random sequences, and all sorts of other novel enumerations that would either be extremely inefficient or impossible to do with the model of creating a list first.To put it simply, returning an instance of
List
requires that all elements in the list are evaluated prior to returning theIEnumerable
, whereas usingyield return
allows each element to be calculated as it is required by the consumer of theIEnumerable
.