Go 函數測試的最佳實務:定義明確的測試案例。使用表驅動的測試。覆蓋邊界條件。嘲笑依賴關係。使用 subtest。衡量測試覆蓋率。
Go 函數測試的最佳實踐
Go 中的函數測試對於確保程式碼可靠性至關重要。這裡有一些最佳實踐,可幫助您編寫強大的函數測試:
1. 定義清晰的測試案例:
對於每個函數,明確定義要測試的行為和預期結果。這將幫助您專注於編寫滿足特定測試目的的測試。
2. 使用表格驅動的測試:
表驅動的測試允許您使用一組輸入值對函數進行多次呼叫。這有助於減少重複程式碼並提高可讀性。
func TestSum(t *testing.T) { type testInput struct { a, b int want int } tests := []testInput{ {1, 2, 3}, {-5, 10, 5}, {0, 0, 0}, } for _, tt := range tests { got := Sum(tt.a, tt.b) if got != tt.want { t.Errorf("got: %d, want: %d", got, tt.want) } } }
3. 覆寫邊界條件:
除了測試正常情況外,還要測試輸入的邊界條件。這有助於發現邊界情況下的潛在問題。
4. 嘲笑依賴關係:
如果函數依賴外部依賴關係,請使用 mocking 技術對這些依賴關係進行隔離。這確保我們測試的是函數本身,而不是其依賴關係。
import ( "testing" "github.com/golang/mock/gomock" ) func TestGetUserData(t *testing.T) { ctrl := gomock.NewController(t) defer ctrl.Finish() mockUserDataRepository := mock_user_data_repository.NewMockUserDataRepository(ctrl) userDataService := NewUserDataService(mockUserDataRepository) userID := 10 expectedData := user_data.UserData{Name: "John Doe"} mockUserDataRepository.EXPECT().Get(userID).Return(expectedData, nil) data, err := userDataService.GetUserData(userID) if err != nil { t.Errorf("unexpected error: %v", err) } if data != expectedData { t.Errorf("unexpected data: %v", data) } }
5. 使用 subtest:
較大的函數測試可以分解為較小的 subtest。這有助於組織程式碼並提高可讀性。
func TestSort(t *testing.T) { t.Run("empty array", func(t *testing.T) { arr := []int{} arrayCopy := Sort(arr) if !reflect.DeepEqual(arr, arrayCopy) { t.Errorf("sorting empty array results in a new array") } }) }
6. 衡量測試覆蓋率:
使用覆蓋率工具來衡量測試對程式碼的覆蓋率。這有助於識別未測試的程式碼路徑並提高測試覆蓋率。
透過遵循這些最佳實踐,您可以編寫更有效且可靠的 Go 函數測試。
以上是Golang 函數測試的最佳實踐的詳細內容。更多資訊請關注PHP中文網其他相關文章!