2016-09-12 05:01:24 +03:00
|
|
|
package endpoint
|
|
|
|
|
|
|
|
import (
|
|
|
|
"bytes"
|
|
|
|
"fmt"
|
|
|
|
"io"
|
|
|
|
"io/ioutil"
|
|
|
|
"net/http"
|
|
|
|
"time"
|
|
|
|
)
|
|
|
|
|
|
|
|
const (
|
|
|
|
httpExpiresAfter = time.Second * 30
|
|
|
|
httpRequestTimeout = time.Second * 5
|
|
|
|
httpMaxIdleConnections = 20
|
|
|
|
)
|
|
|
|
|
2018-04-19 19:25:39 +03:00
|
|
|
// HTTPConn is an endpoint connection
|
|
|
|
type HTTPConn struct {
|
2016-09-12 05:01:24 +03:00
|
|
|
ep Endpoint
|
|
|
|
client *http.Client
|
|
|
|
}
|
|
|
|
|
2018-04-19 19:25:39 +03:00
|
|
|
func newHTTPConn(ep Endpoint) *HTTPConn {
|
|
|
|
return &HTTPConn{
|
2016-09-12 05:01:24 +03:00
|
|
|
ep: ep,
|
2017-02-10 22:09:07 +03:00
|
|
|
client: &http.Client{
|
|
|
|
Transport: &http.Transport{
|
|
|
|
MaxIdleConnsPerHost: httpMaxIdleConnections,
|
|
|
|
IdleConnTimeout: httpExpiresAfter,
|
|
|
|
},
|
|
|
|
Timeout: httpRequestTimeout,
|
|
|
|
},
|
2016-09-12 05:01:24 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-04-19 19:25:39 +03:00
|
|
|
// Expired returns true if the connection has expired
|
|
|
|
func (conn *HTTPConn) Expired() bool {
|
2017-02-10 16:55:01 +03:00
|
|
|
return false
|
2016-09-12 05:01:24 +03:00
|
|
|
}
|
|
|
|
|
2018-04-19 19:25:39 +03:00
|
|
|
// Send sends a message
|
|
|
|
func (conn *HTTPConn) Send(msg string) error {
|
2016-09-12 05:01:24 +03:00
|
|
|
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
|
|
|
|
}
|
2019-02-06 00:49:01 +03:00
|
|
|
// Only allow responses with status code 200, 201, and 202
|
|
|
|
if resp.StatusCode != http.StatusOK &&
|
|
|
|
resp.StatusCode != http.StatusCreated &&
|
|
|
|
resp.StatusCode != http.StatusAccepted {
|
2016-09-12 05:01:24 +03:00
|
|
|
return fmt.Errorf("invalid status: %s", resp.Status)
|
|
|
|
}
|
|
|
|
return nil
|
|
|
|
}
|