断言一个集合不包含另一个集合中的任何项目

Assert that a collection does not contain any item in another collection

考虑这段代码:

string[] myCollection = { "a", "b", "c", "d" }; 
string[] anotherCollection = { "c", "d" };

我想测试 myCollection 不包含 anotherCollection 的任何项目。我怎样才能在 NUnit 中实现它?

我试过这些:

CollectionAssert.DoesNotContain(anotherCollection, myCollection);
Assert.That(myCollection, Has.No.Member(anotherCollection));

...但问题是这些函数在单个实体上运行,我没有找到任何方法让它们使用数组。

要断言集合包含一组项目的任何,我们可以检查使用 LINQ:

另一个集合的交集 为空
string[] subject = { "a", "b", "c", "d" };
string[] forbidden = { "c", "d" };

Assert.IsEmpty(subject.Intersect(forbidden)); 
// Or:
Assert.That(subject.Intersect(forbidden), Is.Empty);

上面显示的测试将失败,因为两个集合都包含值 "c""d"

如果我们希望测试仅在集合包含 所有 项禁止项时失败:

Assert.That(subject.Intersect(forbidden), Is.Not.EquivalentTo(forbidden));
// Or:
Assert.That(subject, Is.Not.SupersetOf(forbidden));