mirror of
https://github.com/c9s/bbgo.git
synced 2024-11-10 09:11:55 +00:00
ftx: rewrite ftxapi
This commit is contained in:
parent
7ae5869461
commit
7ed2e352d9
|
@ -6,6 +6,7 @@ import (
|
|||
"net/http"
|
||||
"net/url"
|
||||
"sort"
|
||||
"strconv"
|
||||
"strings"
|
||||
"time"
|
||||
|
||||
|
@ -14,6 +15,7 @@ import (
|
|||
"github.com/google/uuid"
|
||||
"github.com/sirupsen/logrus"
|
||||
|
||||
"github.com/c9s/bbgo/pkg/exchange/ftx/ftxapi"
|
||||
"github.com/c9s/bbgo/pkg/fixedpoint"
|
||||
"github.com/c9s/bbgo/pkg/types"
|
||||
)
|
||||
|
@ -31,6 +33,8 @@ var requestLimit = rate.NewLimiter(rate.Every(220*time.Millisecond), 2)
|
|||
//go:generate go run generate_symbol_map.go
|
||||
|
||||
type Exchange struct {
|
||||
client *ftxapi.RestClient
|
||||
|
||||
key, secret string
|
||||
subAccount string
|
||||
restEndpoint *url.URL
|
||||
|
@ -78,7 +82,9 @@ func NewExchange(key, secret string, subAccount string) *Exchange {
|
|||
panic(err)
|
||||
}
|
||||
|
||||
client := ftxapi.NewClient()
|
||||
return &Exchange{
|
||||
client: client,
|
||||
restEndpoint: u,
|
||||
key: key,
|
||||
secret: secret,
|
||||
|
@ -488,6 +494,15 @@ func (e *Exchange) SubmitOrders(ctx context.Context, orders ...types.SubmitOrder
|
|||
return createdOrders, nil
|
||||
}
|
||||
|
||||
func (e *Exchange) QueryOrder(ctx context.Context, q types.OrderQuery) (*types.Order, error) {
|
||||
orderID, err := strconv.ParseInt(q.OrderID, 10, 64)
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
_ = orderID
|
||||
return nil, nil
|
||||
}
|
||||
|
||||
func (e *Exchange) QueryOpenOrders(ctx context.Context, symbol string) (orders []types.Order, err error) {
|
||||
// TODO: invoke open trigger orders
|
||||
resp, err := e.newRest().OpenOrders(ctx, toLocalSymbol(symbol))
|
||||
|
|
260
pkg/exchange/ftx/ftxapi/client.go
Normal file
260
pkg/exchange/ftx/ftxapi/client.go
Normal file
|
@ -0,0 +1,260 @@
|
|||
package ftxapi
|
||||
|
||||
//go:generate -command GetRequest requestgen -method GET -responseType .APIResponse -responseDataField Result
|
||||
//go:generate -command PostRequest requestgen -method POST -responseType .APIResponse -responseDataField Result
|
||||
//go:generate -command DeleteRequest requestgen -method DELETE -responseType .APIResponse -responseDataField Result
|
||||
|
||||
import (
|
||||
"bytes"
|
||||
"context"
|
||||
"crypto/hmac"
|
||||
"crypto/sha256"
|
||||
"encoding/base64"
|
||||
"encoding/json"
|
||||
"fmt"
|
||||
"net/http"
|
||||
"net/url"
|
||||
"strconv"
|
||||
"time"
|
||||
|
||||
"github.com/c9s/requestgen"
|
||||
"github.com/pkg/errors"
|
||||
|
||||
"github.com/c9s/bbgo/pkg/fixedpoint"
|
||||
)
|
||||
|
||||
const defaultHTTPTimeout = time.Second * 15
|
||||
const RestBaseURL = "https://ftx.com/api"
|
||||
|
||||
type APIResponse struct {
|
||||
Success bool `json:"success"`
|
||||
Result json.RawMessage `json:"result,omitempty"`
|
||||
}
|
||||
|
||||
type RestClient struct {
|
||||
BaseURL *url.URL
|
||||
|
||||
client *http.Client
|
||||
|
||||
Key, Secret, subAccount string
|
||||
|
||||
/*
|
||||
AccountService *AccountService
|
||||
MarketDataService *MarketDataService
|
||||
TradeService *TradeService
|
||||
BulletService *BulletService
|
||||
*/
|
||||
}
|
||||
|
||||
func NewClient() *RestClient {
|
||||
u, err := url.Parse(RestBaseURL)
|
||||
if err != nil {
|
||||
panic(err)
|
||||
}
|
||||
|
||||
client := &RestClient{
|
||||
BaseURL: u,
|
||||
client: &http.Client{
|
||||
Timeout: defaultHTTPTimeout,
|
||||
},
|
||||
}
|
||||
|
||||
/*
|
||||
client.AccountService = &AccountService{client: client}
|
||||
client.MarketDataService = &MarketDataService{client: client}
|
||||
client.TradeService = &TradeService{client: client}
|
||||
client.BulletService = &BulletService{client: client}
|
||||
*/
|
||||
return client
|
||||
}
|
||||
|
||||
func (c *RestClient) Auth(key, secret, subAccount string) {
|
||||
c.Key = key
|
||||
c.Secret = secret
|
||||
c.subAccount = subAccount
|
||||
}
|
||||
|
||||
// NewRequest create new API request. Relative url can be provided in refURL.
|
||||
func (c *RestClient) NewRequest(ctx context.Context, method, refURL string, params url.Values, payload interface{}) (*http.Request, error) {
|
||||
rel, err := url.Parse(refURL)
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
if params != nil {
|
||||
rel.RawQuery = params.Encode()
|
||||
}
|
||||
|
||||
body, err := castPayload(payload)
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
pathURL := c.BaseURL.ResolveReference(rel)
|
||||
return http.NewRequestWithContext(ctx, method, pathURL.String(), bytes.NewReader(body))
|
||||
}
|
||||
|
||||
// sendRequest sends the request to the API server and handle the response
|
||||
func (c *RestClient) SendRequest(req *http.Request) (*requestgen.Response, error) {
|
||||
resp, err := c.client.Do(req)
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
// newResponse reads the response body and return a new Response object
|
||||
response, err := requestgen.NewResponse(resp)
|
||||
if err != nil {
|
||||
return response, err
|
||||
}
|
||||
|
||||
// Check error, if there is an error, return the ErrorResponse struct type
|
||||
if response.IsError() {
|
||||
return response, errors.New(string(response.Body))
|
||||
}
|
||||
|
||||
return response, nil
|
||||
}
|
||||
|
||||
// newAuthenticatedRequest creates new http request for authenticated routes.
|
||||
func (c *RestClient) NewAuthenticatedRequest(ctx context.Context, method, refURL string, params url.Values, payload interface{}) (*http.Request, error) {
|
||||
if len(c.Key) == 0 {
|
||||
return nil, errors.New("empty api key")
|
||||
}
|
||||
|
||||
if len(c.Secret) == 0 {
|
||||
return nil, errors.New("empty api secret")
|
||||
}
|
||||
|
||||
rel, err := url.Parse(refURL)
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
if params != nil {
|
||||
rel.RawQuery = params.Encode()
|
||||
}
|
||||
|
||||
pathURL := c.BaseURL.ResolveReference(rel)
|
||||
path := pathURL.Path
|
||||
if rel.RawQuery != "" {
|
||||
path += "?" + rel.RawQuery
|
||||
}
|
||||
|
||||
body, err := castPayload(payload)
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
req, err := http.NewRequestWithContext(ctx, method, pathURL.String(), bytes.NewReader(body))
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
req.Header.Add("Content-Type", "application/json")
|
||||
req.Header.Add("Accept", "application/json")
|
||||
|
||||
// Build authentication headers
|
||||
c.attachAuthHeaders(req, method, path, body)
|
||||
return req, nil
|
||||
}
|
||||
|
||||
func (c *RestClient) attachAuthHeaders(req *http.Request, method string, path string, body []byte) {
|
||||
millisecondTs := time.Now().UnixNano() / int64(time.Millisecond)
|
||||
ts := strconv.FormatInt(millisecondTs, 10)
|
||||
p := fmt.Sprintf("%s%s%s", ts, method, path)
|
||||
p += string(body)
|
||||
signature := sign(c.Secret, p)
|
||||
req.Header.Set("FTX-KEY", c.Key)
|
||||
req.Header.Set("FTX-SIGN", signature)
|
||||
req.Header.Set("FTX-TS", ts)
|
||||
if c.subAccount != "" {
|
||||
req.Header.Set("FTX-SUBACCOUNT", c.subAccount)
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
// sign uses sha256 to sign the payload with the given secret
|
||||
func sign(secret, payload string) string {
|
||||
var sig = hmac.New(sha256.New, []byte(secret))
|
||||
_, err := sig.Write([]byte(payload))
|
||||
if err != nil {
|
||||
return ""
|
||||
}
|
||||
|
||||
return base64.StdEncoding.EncodeToString(sig.Sum(nil))
|
||||
}
|
||||
|
||||
func castPayload(payload interface{}) ([]byte, error) {
|
||||
if payload != nil {
|
||||
switch v := payload.(type) {
|
||||
case string:
|
||||
return []byte(v), nil
|
||||
|
||||
case []byte:
|
||||
return v, nil
|
||||
|
||||
default:
|
||||
body, err := json.Marshal(v)
|
||||
return body, err
|
||||
}
|
||||
}
|
||||
|
||||
return nil, nil
|
||||
}
|
||||
|
||||
type Position struct {
|
||||
Cost fixedpoint.Value `json:"cost"`
|
||||
EntryPrice fixedpoint.Value `json:"entryPrice"`
|
||||
Future string `json:"future"`
|
||||
InitialMarginRequirement fixedpoint.Value `json:"initialMarginRequirement"`
|
||||
LongOrderSize fixedpoint.Value `json:"longOrderSize"`
|
||||
MaintenanceMarginRequirement fixedpoint.Value `json:"maintenanceMarginRequirement"`
|
||||
NetSize fixedpoint.Value `json:"netSize"`
|
||||
OpenSize fixedpoint.Value `json:"openSize"`
|
||||
ShortOrderSize fixedpoint.Value `json:"shortOrderSize"`
|
||||
Side string `json:"side"`
|
||||
Size fixedpoint.Value `json:"size"`
|
||||
RealizedPnl fixedpoint.Value `json:"realizedPnl"`
|
||||
UnrealizedPnl fixedpoint.Value `json:"unrealizedPnl"`
|
||||
}
|
||||
|
||||
type Account struct {
|
||||
BackstopProvider bool `json:"backstopProvider"`
|
||||
Collateral fixedpoint.Value `json:"collateral"`
|
||||
FreeCollateral fixedpoint.Value `json:"freeCollateral"`
|
||||
Leverage int `json:"leverage"`
|
||||
InitialMarginRequirement fixedpoint.Value `json:"initialMarginRequirement"`
|
||||
MaintenanceMarginRequirement fixedpoint.Value `json:"maintenanceMarginRequirement"`
|
||||
Liquidating bool `json:"liquidating"`
|
||||
MakerFee fixedpoint.Value `json:"makerFee"`
|
||||
MarginFraction fixedpoint.Value `json:"marginFraction"`
|
||||
OpenMarginFraction fixedpoint.Value `json:"openMarginFraction"`
|
||||
TakerFee fixedpoint.Value `json:"takerFee"`
|
||||
TotalAccountValue fixedpoint.Value `json:"totalAccountValue"`
|
||||
TotalPositionSize fixedpoint.Value `json:"totalPositionSize"`
|
||||
Username string `json:"username"`
|
||||
Positions []Position `json:"positions"`
|
||||
}
|
||||
|
||||
//go:generate GetRequest -url /api/account -type GetAccountRequest -responseDataType .Account
|
||||
type GetAccountRequest struct {
|
||||
client requestgen.AuthenticatedAPIClient
|
||||
}
|
||||
|
||||
func (c *RestClient) NewGetAccountRequest() *GetAccountRequest {
|
||||
return &GetAccountRequest{
|
||||
client: c,
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
//go:generate GetRequest -url /api/positions -type GetPositionsRequest -responseDataType []Position
|
||||
type GetPositionsRequest struct {
|
||||
client requestgen.AuthenticatedAPIClient
|
||||
}
|
||||
|
||||
func (c *RestClient) NewGetPositionsRequest() *GetPositionsRequest {
|
||||
return &GetPositionsRequest{
|
||||
client: c,
|
||||
}
|
||||
}
|
|
@ -241,12 +241,12 @@ func (r *restRequest) sendRequest(req *http.Request) (*util.Response, error) {
|
|||
type ErrorResponse struct {
|
||||
*util.Response
|
||||
|
||||
IsSuccess bool `json:"Success"`
|
||||
IsSuccess bool `json:"success"`
|
||||
ErrorString string `json:"error,omitempty"`
|
||||
}
|
||||
|
||||
func (r *ErrorResponse) Error() string {
|
||||
return fmt.Sprintf("%s %s %d, Success: %t, err: %s",
|
||||
return fmt.Sprintf("%s %s %d, success: %t, err: %s",
|
||||
r.Response.Request.Method,
|
||||
r.Response.Request.URL.String(),
|
||||
r.Response.StatusCode,
|
||||
|
|
Loading…
Reference in New Issue
Block a user