NUnit과 유사한 xUnit.net의 테스트 매개 변수화
xUnit.net 프레임 워크에 NUnit의 다음 기능과 유사한 수단이 있습니까?
[Test, TestCaseSource("CurrencySamples")]
public void Format_Currency(decimal value, string expected){}
static object[][] CurrencySamples = new object[][]
{
new object[]{ 0m, "0,00"},
new object[]{ 0.0004m, "0,00"},
new object[]{ 5m, "5,00"},
new object[]{ 5.1m, "5,10"},
new object[]{ 5.12m, "5,12"},
new object[]{ 5.1234m, "5,12"},
new object[]{ 5.1250m, "5,13"}, // round
new object[]{ 5.1299m, "5,13"}, // round
}
NUnit GUI에서 8 개의 개별 테스트가 생성됩니다.
[TestCase((string)null, Result = "1")]
[TestCase("", Result = "1")]
[TestCase(" ", Result = "1")]
[TestCase("1", Result = "2")]
[TestCase(" 1 ", Result = "2")]
public string IncrementDocNumber(string lastNum) { return "some"; }
이렇게하면 5 개의 개별 테스트가 생성되고 결과가 자동으로 비교됩니다 ( Assert.Equal()
).
[Test]
public void StateTest(
[Values(1, 10)]
int input,
[Values(State.Initial, State.Rejected, State.Stopped)]
DocumentType docType
){}
이것은 6 개의 조합 테스트를 생성합니다. 아주 재미있는.
몇 년 전에 나는 xUnit을 사용해 보았고 그것을 좋아했지만 이러한 기능이 부족했습니다. 그들 없이는 살 수 없습니다. 변경된 사항이 있습니까?
xUnit 은 데이터 이론 이라는 것을 통해 매개 변수화 된 테스트 를 실행하는 방법을 제공합니다 . 이 개념은 NUnit에서 발견 된 것과 동일하지만 기본적으로 제공되는 기능은 완전하지 않습니다.
예를 들면 다음과 같습니다.
[Theory]
[InlineData("Foo")]
[InlineData(9)]
[InlineData(true)]
public void Should_be_assigned_different_values(object value)
{
Assert.NotNull(value);
}
이 예제에서 xUnit은 지정된 값을 인수로 전달할 Should_format_the_currency_value_correctly
때 InlineDataAttribute
마다 한 번씩 테스트 를 실행합니다 .
데이터 이론은 매개 변수화 된 테스트를 실행하는 새로운 방법을 만드는 데 사용할 수 있는 확장 성 지점 입니다. 이를 수행 하는 방법은 테스트 메서드의 인수 및 반환 값을 검사하고 선택적으로 작동 하는 새 속성 을 만드는 것입니다 .
AutoFixture 의 AutoData 및 InlineAutoData 이론 에서 xUnit의 데이터 이론을 확장 할 수있는 방법에 대한 좋은 실용적인 예를 찾을 수 있습니다 .
누군가에게 시간을 절약 할 수 있도록 여기에 샘플을 하나 더 던지겠습니다.
[Theory]
[InlineData("goodnight moon", "moon", true)]
[InlineData("hello world", "hi", false)]
public void Contains(string input, string sub, bool expected)
{
var actual = input.Contains(sub);
Assert.Equal(expected, actual);
}
첫 번째 요청시 여기에 있는 예를 따를 수 있습니다 .
You can construct a static class containing the data necessary for a collection of tests
using System.Collections.Generic;
namespace PropertyDataDrivenTests
{
public static class DemoPropertyDataSource
{
private static readonly List<object[]> _data = new List<object[]>
{
new object[] {1, true},
new object[] {2, false},
new object[] {-1, false},
new object[] {0, false}
};
public static IEnumerable<object[]> TestData
{
get { return _data; }
}
}
}
Then, using the MemberData attribute, define the test as such
public class TestFile1
{
[Theory]
[MemberData("TestData", MemberType = typeof(DemoPropertyDataSource))]
public void SampleTest1(int number, bool expectedResult)
{
var sut = new CheckThisNumber(1);
var result = sut.CheckIfEqual(number);
Assert.Equal(result, expectedResult);
}
}
or if you're using C# 6.0,
[Theory]
[MemberData(nameof(PropertyDataDrivenTests.TestData), MemberType = typeof(DemoPropertyDataSource))]
The first argument of MemberDataAttribute allows you to define the member you use as a datasource, so you have a fair amount of flexibility on reuse.
I found a library that produces equivalent functionality to NUnit's [Values]
attribute called Xunit.Combinatorial:
It allows you to specify parameter-level values:
[Theory, CombinatorialData]
public void CheckValidAge([CombinatorialValues(5, 18, 21, 25)] int age,
bool friendlyOfficer)
{
// This will run with all combinations:
// 5 true
// 18 true
// 21 true
// 25 true
// 5 false
// 18 false
// 21 false
// 25 false
}
Or you can implicitly have it figure out the minimal number of invocations to cover all possible combinations:
[Theory, PairwiseData]
public void CheckValidAge(bool p1, bool p2, bool p3)
{
// Pairwise generates these 4 test cases:
// false false false
// false true true
// true false true
// true true false
}
According to this article in xUnit you have three "parametrization" options:
- InlineData
- ClassData
- MemberData
InlineData example
[Theory]
[InlineData(1, 2)]
[InlineData(-4, -6)]
[InlineData(2, 4)]
public void FooTest(int value1, int value2)
{
Assert.True(value1 + value2 < 7)
}
ClassData example
public class BarTestData : IEnumerable<object[]>
{
public IEnumerator<object[]> GetEnumerator()
{
yield return new object[] { 1, 2 };
yield return new object[] { -4, -6 };
yield return new object[] { 2, 4 };
}
IEnumerator IEnumerable.GetEnumerator() => GetEnumerator();
}
[Theory]
[ClassData(typeof(BarTestData))]
public void BarTest(int value1, int value2)
{
Assert.True(value1 + value2 < 7)
}
MemberData example
[Theory]
[MemberData(nameof(BazTestData))]
public void BazTest(int value1, int value2)
{
Assert.True(value1 + value2 < 7)
}
public static IEnumerable<object[]> BazTestData => new List<object[]>
{
new object[] { 1, 2 },
new object[] { -4, -6 },
new object[] { 2, 4 },
};
I took on-board all the answers here and additionally made use of XUnit's TheoryData<,>
generic types to give me simple, easy to read and type safe data definitions for the 'MemberData' attribute on my test, as per this example:
/// must be public & static for MemberDataAttr to use
public static TheoryData<int, bool, string> DataForTest1 = new TheoryData<int, bool, string> {
{ 1, true, "First" },
{ 2, false, "Second" },
{ 3, true, "Third" }
};
[Theory(DisplayName = "My First Test"), MemberData(nameof(DataForTest1))]
public void Test1(int valA, bool valB, string valC)
{
Debug.WriteLine($"Running {nameof(Test1)} with values: {valA}, {valB} & {valC} ");
}
NB Using VS2017(15.3.3), C#7, & XUnit 2.2.0 for .NET Core
참고URL : https://stackoverflow.com/questions/9110419/test-parameterization-in-xunit-net-similar-to-nunit
'programing tip' 카테고리의 다른 글
쉘 파이프에서 오류 코드 포착 (0) | 2020.09.05 |
---|---|
서블릿 기반 웹 애플리케이션에서 백그라운드 작업을 실행하는 방법은 무엇입니까? (0) | 2020.09.05 |
Python 3.5에서 코 루틴과 미래 / 작업의 차이점은 무엇입니까? (0) | 2020.09.04 |
마크 다운을 사용하여 문자 목록을 어떻게 만드나요? (0) | 2020.09.04 |
Angular $ q.는 어떻게 작동합니까? (0) | 2020.09.04 |