在 Go 中編寫函數測試案例涉及使用 testing 套件,它提供了定義測試案例 (func Test) 和報告失敗的函數 (t.Error)。單元測試隔離測試單一函數,而整合測試則專注於與其他元件的交互作用。範例測試案例展示如何使用 testing 套件來定義測試函數,定義輸入輸出測試案例,驗證結果,並使用 go test 命令運行它們。
在編寫 Go 程式碼時,編寫測試案例對於確保程式碼健全性和正確性至關重要。以下是撰寫函數測試案例的指南,包括使用 Go 語言的實際範例。
1. 單元測試vs 整合測試
在測試函數時,有兩種主要類型:
2. 使用Go 的testing
套件
Go 語言中用於編寫測試案例的標準函式庫是testing
套件。這個套件提供了一些有用的函數和類型,例如:
func Test(t *testing.T)
:定義一個測試案例。 t.Error()
:報告測試失敗。 t.Fail()
:立即使測試失敗。 t.Skip()
:跳過目前測試。 3. 寫一個測試案例
以下是一個編寫函數測試案例的範例:
package main import "testing" // myFunc 是要测试的函数 func myFunc(x int) int { return x * x } // TestMyFunc 测试 myFunc 函数 func TestMyFunc(t *testing.T) { // 定义测试用例 tests := []struct { input int expected int }{ {0, 0}, {1, 1}, {2, 4}, {3, 9}, {-1, 1}, } for _, tc := range tests { // 调用正在测试的函数 result := myFunc(tc.input) // 验证结果 if result != tc.expected { t.Errorf("Test failed. Expected: %d, Got: %d", tc.expected, result) } } }
4. 執行測試案例
可以使用下列指令執行測試案例:
go test
#5.實戰案例
考慮一個計算清單中元素和的函數:
func sum(nums []int) int { sum := 0 for _, num := range nums { sum += num } return sum }
以下是一些測試案例:
func TestSum(t *testing.T) { tests := []struct { input []int expected int }{ {[]int{}, 0}, {[]int{1}, 1}, {[]int{1, 2}, 3}, {[]int{1, 2, 3}, 6}, {[]int{-1, 0, 1}, 0}, } for _, tc := range tests { result := sum(tc.input) if result != tc.expected { t.Errorf("Test failed. Expected: %d, Got: %d", tc.expected, result) } } }
以上是golang函數的測試用例如何寫?的詳細內容。更多資訊請關注PHP中文網其他相關文章!