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"
"<a style='color:#f60; text-decoration:underline;' href="https://www.php.cn/zt/15841.html" target="_blank">git</a>hub.com/<a style='color:#f60; text-decoration:underline;' href="https://www.php.cn/zt/16009.html" target="_blank">golang</a>/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 函數測試。






