I have a unit test to check whether a method returns the correct IEnumerable.  The method builds the enumerable using yield return.  The class that it is an enumerable of is below:
enum TokenType
{
    NUMBER,
    COMMAND,
    ARITHMETIC,
}
internal class Token
{
    public TokenType type { get; set; }
    public string text { get; set; }
    public static bool operator == (Token lh, Token rh) { return (lh.type == rh.type) && (lh.text == rh.text); }
    public static bool operator != (Token lh, Token rh) { return !(lh == rh); }
    public override int GetHashCode()
    {
        return text.GetHashCode() % type.GetHashCode();
    }
    public override bool Equals(object obj)
    {
        return this == (Token)obj;
    }
}
This is the relevant part of the method:
 foreach (var lookup in REGEX_MAPPING)
 {
     if (lookup.re.IsMatch(s))
     {
         yield return new Token { type = lookup.type, text = s };
         break;
     }
 }
If I store the result of this method in actual, make another enumerable expected, and compare them like this...
  Assert.AreEqual(expected, actual);
..., the assertion fails.
I wrote an extension method for IEnumerable that is similar to Python's zip function (it combines two IEnumerables into a set of pairs) and tried this:
foreach(Token[] t in expected.zip(actual))
{
    Assert.AreEqual(t[0], t[1]);
}
It worked!  So what is the difference between these two Assert.AreEquals?
 
     
     
     
    