Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Clever Uses of .Net 2 Iterators [closed]

C# 2 and VB.Net 8 introduced a new feature called iterators, which were designed to make it easier to return enumerables and enumerators.

However, iterators are actually a limited form of coroutines, and can be used to do many useful things that have nothing to do with collections of objects.

What non-standard uses of iterators have you seen in real code?

like image 582
SLaks Avatar asked Jan 22 '10 00:01

SLaks


3 Answers

I used them to write a system in ASP.NET for creating a series of linked page interactions. If you imagine a user's conversation with a website as a series of requests and responses, you can model an interaction as an IEnumerable. Conceptually, like this;

IEnumerable<PageResponse> SignupProcess(FormValues form)
{
   // signup starts with a welcome page, asking
   // the user to accept the license.
   yield return new WelcomePageResponse();

   // if they don't accept the terms, direct 
   // them to a 'thanks anyway' screen
   if (!form["userAcceptsTerms"])
   {
      yield return new ThanksForYourTimePageResponse();
      yield break;
   }

   // On the second page, we gather their email;
   yield new EmailCapturePage("");
   while(!IsValid(form["address"]))
   {
     // loop until we get a valid address.
     yield return new EmailCapturePage("The email address is incorrect. Please fix.");
   } 
}

You can store the iterator in session state, so that when the user returns to the site you just pull the iterator out, move the iterator onto the next page, and yield it back for rendering. Complex site interactions are coded in a single place.

like image 90
Steve Cooper Avatar answered Oct 17 '22 13:10

Steve Cooper


To start things off:

  • Jeffrey Richter wrote a powerful threading system called AsyncEnumerator using iterators. It's described in MSDN Magazine, parts one and two.
  • Iterators can also be used to wait for UI interaction within a method without blocking the UI thread, as I described here.
  • In a similar vein, I used iterators to create an IE-based web scraper, with scraping methods that return IEnumerators of WebActions which call back into the enumerator when ready. (Typically, when the document finishes loading).
    If people are interested, I can post it here.
like image 20
SLaks Avatar answered Oct 17 '22 15:10

SLaks


I used it to recursively iterate over the files contained in a folder, its subfolders and so on. For every file I had to perform a specific action. A recursive function with "yield return" statements was simple for everyone's else understanding.

like image 1
lmsasu Avatar answered Oct 17 '22 15:10

lmsasu