xUnit 基礎觀念
簡單說明 xUnit 的一些基礎觀念與用法,還加上對應到 MSTest 的功能。如果是從 MSTest 轉過來,可能會需要一些時間來適應。
測試類別
生命週期:
- 初始化:每個測試開始前
- 清除:每個測試結束後
和一般的測試框架不同,xUnit 採用建構式和實作 IDispose
來達成初始化和清除
對應 MSTest:[XxxInitialize], [XxxCleanup]
1 | public class ProductServiceTests : IDisposable |
測試方法
[Fact]
對應 MSTest:[TestMethod]
1 | [ ] |
[Theory], [InlineData]
資料的使用範圍:此方法內
可理解為內部資料
對應 MSTest:[TestMethod], [DataRow]
1 | [ ] |
[Theory], [MemberData]
可玩性極高,可以在同一類別內建立多個靜態方法,或是在另一個類別裡建立,彈性比 ClassData
還高。注意必須要回傳 IEnumerable<object[]>
資料的使用範圍:同一類別內、不限 (可跨類別、專案等)
可理解為成員資料,來自於類別內的成員
對應 MSTest:[TestMethod], [DynamicData]
同一類別內 (範圍:同一類別)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23[ ]
[ ]
public void GetRange_MemberData_同類別輸入引數的內容為不合規格的值_應拋出ArgumentOutOfRangeException(string nameOfErrorArgument, int from, int size)
{
// 資料來源為獨立出一個必須是 public 且 static 的方法,必須要回傳 IEnumerable<object[]>
// 資料的使用範圍:此類別內
// attribute 內使用 nameof(string memberDataName)
// act
var exception = Assert.Throws<ArgumentOutOfRangeException>(() => this._sut.GetRange(from, size));
// assert
Assert.Contains(nameOfErrorArgument, exception.Message);
}
public static IEnumerable<object[]> PageDataMemberData =>
new List<object[]>
{
new object[] { "from", -1, 10 },
new object[] { "from", 0, 10 },
new object[] { "size", 1, -1 },
new object[] { "size", 1, 0 }
};不同類別內 (範圍:不限)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39public class ProductServiceTests : IDisposable
{
// 省略...
[ ]
[ ]
public void GetRange_不同類別MemberData_輸入引數的內容為不合規格的值_應拋出ArgumentOutOfRangeException(string nameOfErrorArgument,
int from, int size)
{
// 資料來源為獨立出一個必須是 public 且 static 的方法,必須要回傳 IEnumerable<object[]>
// 資料的使用範圍:不限 (可跨類別、專案等)
// attribute 內使用 nameof(string memberDataName), MemberType = typeof(資料來源類別的名稱)
// act
var exception = Assert.Throws<ArgumentOutOfRangeException>(() => this._sut.GetRange(from, size));
// assert
Assert.Contains(nameOfErrorArgument, exception.Message);
}
}
public class PageTestMemberData
{
public static IEnumerable<object[]> GetPageCorrectData()
{
yield return new object[] { "from", 1, 10 };
yield return new object[] { "from", 2, 10 };
yield return new object[] { "size", 1, 1 };
yield return new object[] { "size", 1, 2 };
}
public static IEnumerable<object[]> GetPageErrorData()
{
yield return new object[] { "from", -5, 10 };
yield return new object[] { "from", 0, 10 };
yield return new object[] { "size", 1, -5 };
yield return new object[] { "size", 1, 0 };
}
}
[Theory], [ClassData]
資料的使用範圍:不限 (可跨類別、專案等)
可理解為由一個專門提供資料的類別取得資料
對應 MSTest:[TestMethod], [CustomDataSource]
1 | public class ProductServiceTests : IDisposable |
注意事項
- 想要判斷陣列是否為空集合的時候,可能會想要使用
Assert.Equal(0, actual.Count());
,但是官方不建議,IDE 也會提示。建議使用Empty
(Assert.Empty(actual);
)。