如何在NUnit测试用例中传递字符串和字典?

Ser*_*lok 4 c# testing nunit unit-testing

我想对我的方法进行测试,我可以传递 2 个字符串变量,但我不知道如何传递Dictionary<,>.

它看起来像这样:

[Test]
[TestCase("agr1", "askdwskdls", Dictionary<TypeMeasurement,double>)]
public void SendDataToAgregator_GoodVariables_ReturnsOn(string agrID,string devID, Dictionary<TypeMeasurement, double> measurement)
{

}
Run Code Online (Sandbox Code Playgroud)

TypeMeasurementenum,我知道这不是你传递字典的方式,但我不知道如何,所以我把它放在那里,这样你就知道我想做什么。

Cod*_*und 9

相反TestCaseAttribute,如果您有复杂的数据用作测试用例,您应该查看TestCaseSourceAttribute

TestCaseSourceAttribute 用于参数化测试方法,以标识将提供所需参数的属性、方法或字段

您可以使用以下构造函数之一:

TestCaseSourceAttribute(Type sourceType, string sourceName);
TestCaseSourceAttribute(string sourceName);
Run Code Online (Sandbox Code Playgroud)

这是文档的解释:

如果指定了sourceType,则它表示提供测试用例的类。它必须有一个默认构造函数。

如果未指定 sourceType,则使用包含测试方法的类。NUnit 将使用默认构造函数或(如果提供了参数)使用这些参数的适当构造函数来构造它。

所以你可以像下面这样使用它:

[Test]
[TestCaseSource(nameof(MySourceMethod))]
public void SendDataToAgregator_GoodVariables_ReturnsOn(string agrID,string devID, Dictionary<TypeMeasurement, double> measurement)
{

}

static IEnumerable<object[]> MySourceMethod()
{
    var measurement = new Dictionary<TypeMeasurement, double>();
    // Do what you want with your dictionary

    // The order of element in the object my be the same expected by your test method
    return new[] { new object[] { "agr1", "askdwskdls", measurement }, };
};
Run Code Online (Sandbox Code Playgroud)

  • 为了防止拼写错误和错误地认为未使用该属性,您可以将 `[TestCaseSource("MySourceProperty")]` 更改为 `[TestCaseSource(nameof(MySourceProperty))]`。 (4认同)
  • @Serlok应该是“return new[] {new object[] {“agr1”,“askdwskdls”,measurement },};`。如果您愿意,为了清楚起见,您还可以将属性的类型更改为“static object[][] MySourceProperty”。或者“IEnumerable&lt;object[]&gt;”(在这种情况下,如果您愿意,可以使用“yield return”)。 (2认同)