我在调用webservice时使用以下内容检查超时,但我想特别检查是否返回了超时错误。我该怎么做:S
我有这个:
// Timeout
type Timeout struct {
Connect time.Duration
ReadWrite time.Duration
}
// TimeoutDialer
func TimeoutDialer(timeout *Timeout) func(net, addr string) (c net.Conn, err error) {
return func(netw, addr string) (net.Conn, error) {
conn, err := net.DialTimeout(netw, addr, timeout.Connect)
if err != nil {
return nil, err
}
conn.SetDeadline(time.Now().Add(timeout.ReadWrite))
return conn, nil
}
}
// HttpClient
func HttpClient(config Config) *http.Client {
to := &Timeout{
Connect: time.Duration(config.MaxWait) * time.Second,
ReadWrite: time.Duration(config.MaxWait) * time.Second,
}
return &http.Client{
Transport: &http.Transport{
Dial: TimeoutDialer(to),
},
}
}
答案 0 :(得分:55)
从go1.6开始,所有来自超时的错误都应符合net.Error
且Timeout()
设置正确。您需要检查的是:
if err, ok := err.(net.Error); ok && err.Timeout() {
在旧版本中,通过http包检查超时更加困难。
*net.OpError
。tlsHandshakeTimeoutError
界面的net.Error
(显然未导出)。url.Error
http.Client.Timeout
[go1.3 +](调用Transport.CancelRequest
)设置超时,则可能会因“使用封闭式网络连接”而出错。从go1.5开始,这将正确设置Timeout属性。您可以使用类型开关检查net.Error
:
switch err := err.(type) {
case net.Error:
if err.Timeout() {
fmt.Println("This was a net.Error with a Timeout")
}
case *url.Error:
fmt.Println("This is a *url.Error")
if err, ok := err.Err.(net.Error); ok && err.Timeout() {
fmt.Println("and it was because of a timeout")
}
}
go< 1.5您需要检查http.Client
超时的错误字符串:
if err != nil && strings.Contains(err.Error(), "use of closed network connection") {
fmt.Println("Could be from a Transport.CancelRequest")
}
答案 1 :(得分:14)
您需要net.Error
界面。 http://golang.org/pkg/net/#Error
if e,ok := err.(net.Error); ok && e.Timeout() {
// This was a timeout
} else if err != nil {
// This was an error, but not a timeout
}
请注意,类型断言err.(net.Error)
将正确处理nil
情况,如果ok
作为错误返回,则nil
值返回false,从而使Timeout
检查。
答案 2 :(得分:0)
您只需将错误传递给os.IsTimeout(),如果net / http返回超时,则它将返回true。
func IsTimeout(err error) bool
IsTimeout返回一个布尔值,该布尔值指示是否已知该错误以报告发生了超时。