1

使用Fluent Assertions,我们可以断言两个集合是相等的(就属性值而言),使用如下:

list1.ShouldBeEquivalentTo(list2);

假设list1list2包含相同的对象in any order,则断言为真。

如果我们想断言列表的顺序是准确的,我们可以这样做:

list1.ShouldBeEquivalentTo(list2, o => o.WithStrictOrdering());

如果列表中包含相同的对象,我正在寻找断言错误的东西,wrong order但我找不到任何东西。

使用 Fluent 断言的最佳方法是什么?

PS - 这是一种学术好奇心,在现实中它甚至可能没有那么有用:)

4

1 回答 1

1

编辑:现在我了解了 davy 的要求(请参阅下面的评论),我将我的代码更新为这个解决方案。尽管语法相似,但它不是 FluentAssertion 扩展,但可以通过一些操作来实现。

public static class IEnumerableAssertionExtensions
{
    public static void ShouldContainInWrongOrder<TSubject>(this IEnumerable<TSubject> source, IEnumerable<TSubject> expected)
    {
        var remaining = expected.ToList();
        var inOrder = true;
        foreach (var subject in source)
        {
            if (inOrder && !ReferenceEquals(subject, remaining[0]))
            {
                inOrder = false;
            }
            var s = subject;
            Execute.Verification.ForCondition(() => remaining.Remove(s)).FailWith("Expected item in the collection: {0}", subject.ToString());
        }

        Execute.Verification.ForCondition(() => remaining.Count == 0).FailWith(string.Format("{0} more item{1} than expected found in the list.", remaining.Count, ((remaining.Count == 1) ? string.Empty : "s")));
        Execute.Verification.ForCondition(() => !inOrder).FailWith("list items are ordered identically");
    }
}

[TestClass]
public class TestFoo
{
    class Thing
    {
        public int i;
    }

    [TestMethod]
    public void MyMethod()
    {
        var a1 = new Thing { i=0 };
        var a2 = new Thing { i=1 };
        var a3 = new Thing { i=2 };
        var a4 = new Thing { i=2 };
        var list1 = new List<Thing> { a1, a2, a3 };
        var list2 = new List<Thing> { a1, a2, a3 };
        var list3 = new List<Thing> { a3, a2, a1 };
        var list4 = new List<Thing> { a1, a2, a3, a4 };
        var list5 = new List<Thing> { a3, a2 };

        list1.ShouldContainInWrongOrder(list3); // Succeeds
        list1.ShouldContainInWrongOrder(list2); // Fails
        list1.ShouldContainInWrongOrder(list4); // Fails
        list1.ShouldContainInWrongOrder(list5); // Fails
    }
}
于 2015-03-26T14:48:01.577 回答