go-pattern-examples/gomore/06_circuit_breaker/circuit_breaker_test.go

52 lines
916 B
Go
Raw Normal View History

2020-04-28 17:48:09 +03:00
package circuit
import (
2020-05-10 17:03:24 +03:00
"fmt"
"io/ioutil"
"net/http"
2020-05-08 10:51:33 +03:00
"testing"
2020-04-28 17:48:09 +03:00
)
2020-05-10 17:03:24 +03:00
var breaker *RequestBreaker
2020-05-08 10:51:33 +03:00
func TestBasicBreaker(t *testing.T) {
2020-04-28 17:48:09 +03:00
2020-05-10 17:03:24 +03:00
var st Options
st.Name = "HTTP GET"
st.ReadyToTrip = func(counts counters) bool {
failureRatio := float64(counts.TotalFailures) / float64(counts.Requests)
return counts.Requests >= 3 && failureRatio >= 0.6
}
breaker = NewRequestBreaker(st)
body, err := Get("https://bing.com/robots.txt")
if err != nil {
t.Fatal(err)
}
fmt.Println(string(body))
}
// Get wraps http.Get in CircuitBreaker.
func Get(url string) ([]byte, error) {
body, err := breaker.Execute(func() (interface{}, error) {
resp, err := http.Get(url)
if err != nil {
return nil, err
}
defer resp.Body.Close()
body, err := ioutil.ReadAll(resp.Body)
if err != nil {
return nil, err
}
return body, nil
})
if err != nil {
return nil, err
}
return body.([]byte), nil
2020-04-28 17:48:09 +03:00
}