Golang 函數的可靠性測試涉及單元測試,使用testing 套件隔離測試單一函數;表驅動的測試,使用測試表測試多個輸入;子測試,在單一測試函數中建立子測試;整合測試,使用諸如github.com/ory/dockertest 之類的庫測試程式碼的整合行為。
如何測試Golang 函數以確保其可靠性
在Golang 中編寫可靠的函數對於建立健全且穩定的應用程序至關重要。測試是確保函數符合預期行為的必要手段。本文將介紹如何測試 Golang 函數,並提供一個實用案例。
單元測試
單元測試是對單一函數或模組進行隔離測試的技術。在Golang 中,使用testing
套件進行單元測試:
package mypkg import "testing" func TestAdd(t *testing.T) { tests := []struct { a, b, expected int }{ {1, 2, 3}, {3, 4, 7}, } for _, tt := range tests { actual := Add(tt.a, tt.b) if actual != tt.expected { t.Errorf("Add(%d, %d) = %d, expected %d", tt.a, tt.b, actual, tt.expected) } } }
表驅動的測試
表格驅動程式的測試允許我們在使用相同測試函數的同時測試多個輸入。這意味著我們可以為每個測試案例建立單獨的測試表:
func TestAddTableDriven(t *testing.T) { tests := []struct { a, b, expected int }{ {1, 2, 3}, {3, 4, 7}, } for _, tt := range tests { t.Run(fmt.Sprintf("TestAdd(%d, %d)", tt.a, tt.b), func(t *testing.T) { actual := Add(tt.a, tt.b) if actual != tt.expected { t.Errorf("Add(%d, %d) = %d, expected %d", tt.a, tt.b, actual, tt.expected) } }) } }
子測試
子測試允許在單一測試函數中建立多個子測試。這有助於組織測試並提供更多詳細的錯誤訊息:
func TestError(t *testing.T) { t.Run("case 1", func(t *testing.T) { err := Error(0) if err != nil { t.Errorf("Error(0) = %v", err) } }) t.Run("case 2", func(t *testing.T) { err := Error(1) if err == nil { t.Error("Expected error for Error(1)") } }) }
#整合測試
#整合測試測試程式碼的整合行為,包括涉及多個函數的交互。在 Golang 中,可以使用 github.com/ory/dockertest
等函式庫進行整合測試:
package mypkg_test import ( "context" "fmt" "io" "testing" "github.com/ory/dockertest" ) func TestIntegration(t *testing.T) { // 创建一个容器,在其中运行我们的代码 container, err := dockertest.NewContainer("my-org/my-image", "latest", nil) if err != nil { t.Fatal(err) } // 在容器中执行我们的代码 output, err := container.Run(context.Background()) if err != nil { t.Fatal(err) } // 检查输出以验证行为 if _, err := io.WriteString(output, "Hello World\n"); err != nil { t.Fatal(err) } fmt.Fprintln(output, "Done") // 等待容器退出 if err := container.Wait(); err != nil { t.Fatal(err) } }
以上是如何測試Golang函數以確保其可靠性?的詳細內容。更多資訊請關注PHP中文網其他相關文章!