我有一个单元测试来检查方法是否返回正确的IEnumerable
. 该方法使用yield return
. 它是可枚举的类如下:
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;
}
}
这是该方法的相关部分:
foreach (var lookup in REGEX_MAPPING)
{
if (lookup.re.IsMatch(s))
{
yield return new Token { type = lookup.type, text = s };
break;
}
}
如果我将此方法的结果存储在 中actual
,请创建另一个 enumerable expected
,然后像这样比较它们......
Assert.AreEqual(expected, actual);
...,断言失败。
IEnumerable
我为此编写了一个类似于Pythonzip
函数的扩展方法(它将两个 IEnumerables 组合成一组对)并尝试了这个:
foreach(Token[] t in expected.zip(actual))
{
Assert.AreEqual(t[0], t[1]);
}
有效!Assert.AreEqual
那么这两个s有什么区别呢?