我是C#和NUnit初学者,并尝试进行一些简单的测试。
当我使用硬编码的测试用例时[TestCase(1,2)],一切正常。我想将文本文件用作测试用例的源,但不知道该怎么做。我在StackOverflow和其他地方找到了一些示例,但是它不起作用。
// Code that works
namespace UnitTesting.GettingStarted.Tests
{
[TestFixture]
// this part works fine
public class CalculatorTestMultiplication
{
[TestCase(1, 2)]
[TestCase(2, 3)]
[TestCase(3, 8)]
[TestCase(1000, 1)]
public void MultiplierParZero(int lhs, int rhs)
{
var systemUnderTest = new Calculator();
Assert.NotZero(systemUnderTest.Multiply(lhs, rhs));
}
}
}
//Code with error
using System;
using System.Collections.Generic;
using System.IO;
using NUnit.Framework;
namespace UnitTesting.GettingStarted.Tests2
{
public class CalculatorTestMultiplicationFile
{
static object[] TestData()
{
var reader = new StreamReader(File.OpenRead(@"C:\Test\MultiplicationZero.txt"));
List<object[]> rows = new List<object[]>();
while (!reader.EndOfStream)
{
var line = reader.ReadLine();
var values = line.Split(',');
rows.Add(values);
}
return rows.ToArray<object[]>(); // PROBLEM CODE
}
[TestCaseSource("TestCases")]
public void MultiplyByZero(int lhs, int rhs)
{
var systemUnderTest = new Calculator();
Assert.NotZero(systemUnderTest.Multiply(lhs, rhs));
}
}
}
与硬编码的测试用例一样,如果参数不等于零(我在测试文件中拥有的参数),我希望测试通过。我什至不能启动此测试,因为在代码行:“ return rows.ToArray();”的行中,我看到以下错误:非泛型方法“ List.ToArray()”不能与类型参数一起使用。 显然,对象声明有些问题,但是我不知道如何解决它。
谢谢
迈克
答案 0 :(得分:0)
初学者很容易使用简单的类型和数组,object[]
当然非常简单。但是,使用对象会使事情有些混乱,因为错误与参数的类型有关。如果返回一组TestCaseData
个项目(每个项目代表一个测试用例)并一次处理一个单参数,则会更容易。
例如...
static IEnumerable<TestCaseData> TestData()
{
var reader = new StreamReader(File.OpenRead(
@"C:\Test\MultiplicationZero.txt"));
while (!reader.EndOfStream)
{
var line = reader.ReadLine();
var values = line.Split(',');
// Assume there are exactly two items, and they are ints
// If there are less than two or format is incorrect, then
// you'll get an exception and have to fix the file.
// Otherwise add error handling.
int lhs = Int32.Parse(values[0])
int rhs = Int32.Parse(values[1]);
yield return new TestCaseData(lhs, rhs);
}
}
与您的代码不同:
yield
(再次,不是必需的,但是可能更清楚)注意:我只是输入了此内容,没有进行编译或运行。 YMMV。