web-dev-qa-db-ja.com

GDAX WebSocketフィードからリアルタイムの入札/質問/価格を取得する方法

APIドキュメントでは、/tickerエンドポイント、およびwebsocketストリームを使用して一致メッセージをリッスンすることをお勧めします

ただし、マッチレスポンスはpriceside(販売/購入)のみを提供します

Websocketフィードからティッカーデータ(価格、売り、入札)を再作成するにはどうすればよいですか?

{
  “price”: “333.99”,
  “size”: “0.193”,
  “bid”: “333.98”,
  “ask”: “333.99”,
  “volume”: “5957.11914015”,
  “time”: “2015-11-14T20:46:03.511254Z”
}

tickerエンドポイントとwebsocketフィードはどちらも「価格」を返しますが、同じではないと思います。 priceエンドポイントからのtickerは、時間の経過とともに平均的なものですか?

Bid値、Ask値を計算するにはどうすればよいですか?

18
vdaubry

subscribeメッセージでこれらのパラメーターを使用する場合:

params = {
    "type": "subscribe",
    "channels": [{"name": "ticker", "product_ids": ["BTC-EUR"]}]
}

新しい取引が実行されるたびに(そして http://www.gdax.com に表示されます)、Webソケットから次のようなメッセージを受け取ります。

{
 u'best_ask': u'3040.01',
 u'best_bid': u'3040',
 u'last_size': u'0.10000000',
 u'price': u'3040.00000000',
 u'product_id': u'BTC-EUR',
 u'sequence': 2520531767,
 u'side': u'sell',
 u'time': u'2017-09-16T16:16:30.089000Z',
 u'trade_id': 4138962,
 u'type': u'ticker'
}

この特定のメッセージの直後に、 https://api.gdax.com/products/BTC-EUR/tickerでgetを実行しました 、そして私はこれを得ました:

{
  "trade_id": 4138962,
  "price": "3040.00000000",
  "size": "0.10000000",
  "bid": "3040",
  "ask": "3040.01",
  "volume": "4121.15959844",
  "time": "2017-09-16T16:16:30.089000Z"
}

現在のデータは、getリクエストと比較して、Webソケットからのものです。

このティッカーを使用してWebソケットを実装する完全なテストスクリプトを以下に示します。

#!/usr/bin/env python
# -*- coding: utf-8 -*-

"""Test for websockets."""

from websocket import WebSocketApp
from json import dumps, loads
from pprint import pprint

URL = "wss://ws-feed.gdax.com"


def on_message(_, message):
    """Callback executed when a message comes.

    Positional argument:
    message -- The message itself (string)
    """
    pprint(loads(message))
    print


def on_open(socket):
    """Callback executed at socket opening.

    Keyword argument:
    socket -- The websocket itself
    """

    params = {
        "type": "subscribe",
        "channels": [{"name": "ticker", "product_ids": ["BTC-EUR"]}]
    }
    socket.send(dumps(params))


def main():
    """Main function."""
    ws = WebSocketApp(URL, on_open=on_open, on_message=on_message)
    ws.run_forever()


if __name__ == '__main__':
    main()
16
Manu NALEPA