使用覆蓋資訊測試Go os.Exit 場景(coveralls.io/Goveralls)
測試涉及os.Exit 的場景的能力( )在Go 開發中至關重要。然而,os.Exit()很難直接攔截。一種常見的方法涉及重新呼叫二進位並檢查退出狀態。
這種方法面臨局限性,主要是缺乏 Goveralls 的覆蓋資訊以及重新運行測試二進位檔案的潛在脆弱性。
實現100% 覆蓋率
為了應對這些挑戰,請考慮重構測試code:
package foo import ( "fmt" "io" "log" "os" "testing" ) var ( osExit = os.Exit logFatalf = log.Fatalf ) // Tester interface for mocking os.Exit() and log.Fatalf() type Tester interface { Fatal(string, ...interface{}) Exit(int) } type realTester struct{} func (r realTester) Fatal(s string, v ...interface{}) { log.Fatalf(s, v...) } func (r realTester) Exit(code int) { os.Exit(code) } func Crasher() { fmt.Print("Going down in flames!") logFatalf("Exiting with code: %d", 1) } // TestCrasher simulates os.Exit() and log.Fatalf() func TestCrasher(t *testing.T) { tests := []struct { name string f func(t *testing.T, original Tester, tester *mockTester) }{ {"Test os.Exit()", func(t *testing.T, orig, test *mockTester) { orig.Exit(1) if test.exitCode != 1 { t.Errorf("expected exit code 1, got %d", test.exitCode) } }}, {"Test log.Fatalf()", func(t *testing.T, orig, test *mockTester) { orig.Fatalf("Exiting after a test failure") if test.format != "Exiting after a test failure" { t.Errorf("expected format \"Exiting after a test failure\", got %s", test.format) } }}, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { var orig Tester = realTester{} var mr mockTester test.f(t, orig, &mr) mr.Verify() }) } } // Mock tester simulates os.Exit() and log.Fatalf() type mockTester struct { format string values []interface{} exitCode int exitCalls int } func (m *mockTester) Fatal(s string, v ...interface{}) { m.format = s m.values = v m.exit() } func (m *mockTester) Exit(code int) { m.exitCode = code m.exit() } func (m *mockTester) exit() { m.exitCalls++ } // Verify checks that mockTester was called appropriately func (m *mockTester) Verify() { if m.exitCalls != 1 { panic("expected 1 call to Exit() or Fatal(), got %d", m.exitCalls) } }
這種方法將測試程式碼重構為可重複使用的Tester 接口,允許模擬os.Exit() 和log.Fatalf()。透過在模擬物件中明確呼叫 Exit() 或 Fatal() 並模擬行為,您可以實現這些場景的 100% 覆蓋。
以上是如何使用 Goveralls 實現 Go os.Exit() 場景的 100% 測試覆蓋率?的詳細內容。更多資訊請關注PHP中文網其他相關文章!