2016-09-12 05:01:24 +03:00
|
|
|
package endpoint
|
|
|
|
|
|
|
|
import (
|
|
|
|
"bytes"
|
|
|
|
"fmt"
|
|
|
|
"io"
|
|
|
|
"io/ioutil"
|
|
|
|
"net/http"
|
|
|
|
"sync"
|
|
|
|
"time"
|
|
|
|
)
|
|
|
|
|
|
|
|
const (
|
|
|
|
httpExpiresAfter = time.Second * 30
|
|
|
|
httpRequestTimeout = time.Second * 5
|
|
|
|
httpMaxIdleConnections = 20
|
|
|
|
)
|
|
|
|
|
|
|
|
type HTTPEndpointConn struct {
|
|
|
|
mu sync.Mutex
|
|
|
|
ep Endpoint
|
|
|
|
client *http.Client
|
|
|
|
}
|
|
|
|
|
|
|
|
func newHTTPEndpointConn(ep Endpoint) *HTTPEndpointConn {
|
|
|
|
return &HTTPEndpointConn{
|
|
|
|
ep: ep,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
func (conn *HTTPEndpointConn) Expired() bool {
|
2017-02-10 16:55:01 +03:00
|
|
|
return false
|
2016-09-12 05:01:24 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
func (conn *HTTPEndpointConn) Send(msg string) error {
|
|
|
|
conn.mu.Lock()
|
|
|
|
defer conn.mu.Unlock()
|
2017-02-10 16:55:01 +03:00
|
|
|
|
2016-09-12 05:01:24 +03:00
|
|
|
if conn.client == nil {
|
|
|
|
conn.client = &http.Client{
|
|
|
|
Transport: &http.Transport{
|
|
|
|
MaxIdleConnsPerHost: httpMaxIdleConnections,
|
2017-02-10 16:55:01 +03:00
|
|
|
IdleConnTimeout: httpExpiresAfter,
|
2016-09-12 05:01:24 +03:00
|
|
|
},
|
|
|
|
Timeout: httpRequestTimeout,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
req, err := http.NewRequest("POST", conn.ep.Original, bytes.NewBufferString(msg))
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2017-01-11 14:41:58 +03:00
|
|
|
|
|
|
|
req.Header.Set("Content-Type", "application/json")
|
2016-09-12 05:01:24 +03:00
|
|
|
resp, err := conn.client.Do(req)
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
// close the connection to reuse it
|
|
|
|
defer resp.Body.Close()
|
|
|
|
// discard response
|
|
|
|
if _, err := io.Copy(ioutil.Discard, resp.Body); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
// we only care about the 200 response
|
|
|
|
if resp.StatusCode != 200 {
|
|
|
|
return fmt.Errorf("invalid status: %s", resp.Status)
|
|
|
|
}
|
|
|
|
return nil
|
|
|
|
}
|