NAV Navbar
javascript python

Web API

Overview

# Please note that many of the Python examples presented use type
# annotations introduced in Python 3.6. They are easy to remove
# manually if you are using an older version of Python. You could
# also use the strip-hints library to remove the type hints from
# the code. Examples have been tested with CPython 3.6+ only.

The information below should be used to help you consume our Web API.

URLs

OpenAPI

Public Endpoints

Public endpoints do not require authentication. This information is fundamental to the exchange and publicly available.

Time

GET /time

const axios = require('axios')

axios.get('https://api.zerohash.com/time')
import requests

requests.get('https://api.zerohash.com/time')

Sample Response

{
  "epoch": 1550174574
}

Return the current unix time of the server in seconds.

Authentication

const crypto = require('crypto')
const request = require('request-promise')

const makeRequest = (
  apiKey,
  apiSecret,
  passphrase,
  host,
  route,
  method,
  body
) => {
  // CREATE SIGNATURE
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + method + route + JSON.stringify(body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  // Don't forget to base 64 encode your digest
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': apiKey,
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': passphrase
  }

  const derivedMethod = {
    POST: 'post',
    PUT: 'put',
    GET: 'get'
  }[method]

  const options = {
    headers,
    body,
    json: true
  }

  return request[derivedMethod](`https://${host}${route}`, options)
}
import hashlib
import hmac
import json
from base64 import b64decode, b64encode
from datetime import datetime
from typing import Any, Dict, Optional
from urllib.parse import urljoin

import requests
from logging import getLogger


# ℹ️ PLEASE NOTE: make sure you're pointing to the right environment:
# cert: https://api.cert.zerohash.com
# production: https://api.zerohash.com

BASE_URL = 'https://api.cert.zerohash.com'


# ℹ️ PLEASE NOTE: you should refer to the following article for instructions
# on how to create your API keys:
#
#   https://zerohash.zendesk.com/hc/en-us/articles/1500009663981-Creating-API-Keys
#
# ⚠️ WARNING: **THESE CREDENTIALS SHOULD NEVER BE STORED IN PLAINTEXT**
# API keys here are kept in plaintext for the purposes of demonstration.
# We highly encourage you to store your keys encrypted and only decrypt them
# when being used.
#
API_PUBLIC_KEY = '<please fill me in>'
API_PRIVATE_KEY = '<please fill me in>'
PASSPHRASE = '<please fill me in>'


def sign_request(api_private_key: str, method: str,
                 resource_path: str, json_body: str, timestamp: str) -> bytes:
    """Signs a HTTP payload to be sent to Zero Hash API.

    :param api_private_key: Key to sign the message with
    :param method: HTTP method
    :param resource_path: Relative path to the resource, e.g., /trades
    :param json_body: JSON as a string. Usually created via json.dumps(dict)
    :param timestamp: Unix Epoch time as a string
    :return: Base64 encoded digest
    """

    # ℹ️ PLEASE NOTE: the timestamp, HTTP method, resource path and JSON
    # body used to generate the signature here must be signed exactly as send
    # to the underlying HTTP request
    msg = bytes(
        timestamp + method + resource_path + json_body,
        encoding='utf-8'
    )
    hm = hmac.new(
        key=b64decode(api_private_key),
        msg=msg,
        digestmod=hashlib.sha256
    )
    return b64encode(hm.digest()).decode()


def build_headers() -> Dict[str, Any]:
    """Builds a template with the HTTP headers to be send in requests
    to Zero Hash API.
    """

    # ℹ️ PLEASE NOTE: datetime.timestamp is available only in Python 3.3+
    # This is the Unix epoch.
    timestamp = str(int(datetime.now().timestamp()))

    return {
        'X-SCX-API-KEY': API_PUBLIC_KEY,
        'X-SCX-SIGNED': '<to be filled>', # PLEASE NOTE: will be auto filled below
        'X-SCX-TIMESTAMP': timestamp,
        'X-SCX-PASSPHRASE': PASSPHRASE
    }


def send_signed_http_request(
    method: str, resource_path: str, body: Optional[Dict[str, str]] = None
) -> requests.Response:
    """Builds and sends an HTTP request with a signature to the Zero Hash API.

    :param method: HTTP method, such as GET, POST, PUT, PATCH, DELETE
    :param resource_path: Relative path to the resource, e.g., /trades
    :param body: Dictionary for serializing into the JSON body of the request.
                 For GET requests, this can be omitted or set to an empty dict.
                 Nothing will be sent, but it is required for the signature.
    :return: requests.Response object
    """
    if body is None:
        body = {}

    headers = build_headers()

    json_body = json.dumps(body, separators=(',', ':'))
    signature = sign_request(
        API_PRIVATE_KEY,
        method,
        resource_path,
        json_body,
        headers['X-SCX-TIMESTAMP']
    )
    headers['X-SCX-SIGNED'] = signature

    absolute_url = urljoin(BASE_URL, resource_path)

    # ⚠️ WARNING: We are printing your signature headers to make it easier for
    # troubleshooting in your local testing environment. For security reasons,
    # please never do this on any real staging / production servers.
    print('\n### REQUEST [{0}]\n'.format(absolute_url))
    print('{0} {1}\n{2}'.format(method, resource_path, body))
    print('X-SCX-API-KEY: {0}'.format(headers['X-SCX-API-KEY']))
    print('X-SCX-TIMESTAMP: {0}'.format(headers['X-SCX-TIMESTAMP']))
    print('X-SCX-PASSPHRASE: {0}'.format(headers['X-SCX-PASSPHRASE']))
    print('X-SCX-SIGNED: {0}'.format(headers['X-SCX-SIGNED']))

    request_args = {
        'method': method,
        'url': absolute_url,
        'headers': headers
    }
    if body:
        request_args['data'] = json_body
        headers['Content-Type'] = 'application/json'

    response = requests.request(**request_args)

    # ℹ️ PLEASE NOTE: for production code you might want to consider a proper
    # logging solution.
    print('\n===> RESPONSE ###\n')
    print(response.status_code)
    print(response.text)

    return response


if __name__ == '__main__':
    # ⚠️ WARNING: We are printing your API keys here to make it easier for
    # troubleshooting in your local testing environment. For security reasons,
    # please never do this on any real staging / production servers.
    print('\n### API KEYS ###\n')
    print('API public key: {0}'.format(API_PUBLIC_KEY))
    print('API private key: {0}'.format(API_PRIVATE_KEY))
    print('Passphrase: {0}'.format(PASSPHRASE))

    send_signed_http_request('GET', '/index?underlying=BTC&quoted_currency=USD')
    send_signed_http_request('GET', '/trades')
    send_signed_http_request('GET', '/participants')

Example Headers

{
  "X-SCX-API-KEY": "h2yFu1uijCDEqkbdop4GAF",
  "X-SCX-SIGNED": "PFMlg+bMFVjjAiGPLR/zJCStmiiOIeyz5NIOZEmpfH0=",
  "X-SCX-TIMESTAMP": 1550175822,
  "X-SCX-PASSPHRASE": "passphrase"
}

Zero Hash Uses HMAC SHA-256 verification to ensure the authenticity of every API request.

To Authenticate with us, you will need to set the following headers:

Header Description
X-SCX-API-KEY Your public key
X-SCX-SIGNED Signature for your request
X-SCX-TIMESTAMP Unix timestamp
X-SCX-PASSPHRASE Your passphrase

To sign your request:

  1. Concatenate timestamp + method + route + request body

Example: 1549468233POST/orders{"client_order_id":"abcdefg","instrument_code":"COSP:BTC/USD","market_code":"SCXM","order_type":"limit","price":"3780","quantity":"10","side":"buy"} 2. Generate an HMAC digest using your private key (using HMAC SHA-256).

Example: Private Key = 2mC4ZvVd4goRkuJm+rjr9byUiaUW1b6tVN4xy9QXNSE= 3. Encode the HMAC digest in Base64.

Using the above private key should produce a base64 encoded digest of: +p94Yo3z33zvTmoA+BFtzQIW+qJz1X8IZcnuudpX6A8=

Private Endpoints

# The below Python examples make use of the functions defined above.

Index

GET /index

Sample Response

{
  "timestamp": 1564686909724,
  "index": "BTC/USD",
  "underlying": "BTC",
  "quoted_currency": "USD",
  "value": 1234.5678901234
}

Query for the most recently calculated Zero Hash Index value.

The following query parameters are required:

Parameter Description Type
timestamp When the index was calculated timestamp
index The specific index, which is the unique combination ofunderlying and quoted_currency string
underlying Theasset being valued string
quoted_currency Theasset in which the underlying is being valued string
value The index price for theunderlying asset, as quoted in the quoted_currency number

Assets

GET /assets

Sample Response

{
  "message": [
    {
      "symbol": "SOL",
      "name": "Solana",
      "chain_code": "solana",
      "type": "crypto",
      "model": "account_based",
      "withdrawal_minimum": "0.000001",
      "stablecoin": false,
      "precision": 9,
      "tag_name": "none",
      "fee_asset": "",
      "rfq_liquidity_enabled": true,
      "custody_enabled": true,
      "deposit_address_creation": "none",
      "deposits_onchain_confirms": 0,
      "ny_allowed": false,
      "contract_address": "NA",
      "fund_enabled": false
    },
    {
      "symbol": "USD",
      "name": "US Dollar",
      "chain_code": "",
      "type": "fiat",
      "model": "none",
      "withdrawal_minimum": "0.01",
      "stablecoin": false,
      "precision": 2,
      "tag_name": "none",
      "fee_asset": "",
      "rfq_liquidity_enabled": true,
      "custody_enabled": true,
      "deposit_address_creation": "none",
      "deposits_on_chain_confirms": 0,
      "ny_allowed": false,
      "contract_address": "NA",
      "fund_enabled": true
    }
  ]
}

Query for all the assets supported by Zero Hash.

Optional query parameters include:

Parameter Description Type
stablecoin Denotes whether the asset is considered a stablecoin boolean
chain_code Identifies the protocol the asset is listed on string
symbol Asset code used throughout the system string
ny_allowed Shows if transactions for an asset are allowed in New York boolean
fund_enabled Shows if the asset is allowed to be used in the Fund With Crypto API boolean

Trades

GET /trades

Sample Response

{
  "message": [
    {
      "batch_trade_id": "None",
      "trade_id": "6d126270-c657-4226-a13e-3050edd20f9f",
      "client_trade_id": "1F74ANE1K8WQH",
      "trade_state": "terminated",
      "market_identifier_code": "SCXM",
      "trade_reporter_code": "00SCXM",
      "symbol": "BTC/USD",
      "trade_quantity": "0.000434",
      "trade_price": "27196.45",
      "trade_type": "regular",
      "physical_delivery": true,
      "comment": "",
      "last_update": 1695038956380,
      "transaction_timestamp": 1695038947000,
      "accepted_timestamp": 1695038953005,
      "defaulted_timestamp": "None",
      "settled_timestamp": 1695038956362,
      "expiry_timestamp": "None",
      "settlement_timestamp": "None",
      "settlement_price_index_id": "None",
      "contract_size": 1,
      "underlying": "BTC",
      "quoted_currency": "USD",
      "trade_reporter": "00SCXM",
      "platform_code": "00SCXM",
      "product_type": "spot",
      "parties_anonymous": false,
      "bank_fee": "None",
      "reporting_party": "00SCXM",
      "settlement_schedule": "None",
      "parties": [
        {
          "settling": true,
          "participant_code": "WSVAC2",
          "side": "buy",
          "asset": "BTC",
          "amount": "0.000434",
          "liquidity_indicator": "None",
          "execution_id": "1F74ANE1K8WQH",
          "order_id": "1F4S3HH1QEB91",
          "obligations_outstanding_timestamp": "None",
          "current_obligations_met_timestamp": "None",
          "settlement_state": "settled",
          "client_order_id": "",
          "collateral_percentage": "None",
          "account_label": "WSVAC2-PF",
          "account_profile": "prefunded",
          "commission": "0.01",
          "commission_asset": "USD",
          "client_participant_id": "richards_client_participant_id"
        },
        {
          "settling": true,
          "participant_code": "00SCXM",
          "side": "sell",
          "asset": "USD",
          "amount": "11.8",
          "liquidity_indicator": "None",
          "execution_id": "",
          "order_id": "",
          "obligations_outstanding_timestamp": "None",
          "current_obligations_met_timestamp": "None",
          "settlement_state": "settled",
          "client_order_id": "",
          "collateral_percentage": "None",
          "account_label": "inventory",
          "account_profile": "None"
        }
      ],
      "session_id": "20230918120900",
      "network_fee_notional": "None",
      "network_fee_quantity": "None",
      "total_notional": "11.80",
      "asset_cost_notional": "11.80",
      "spread_notional": "0.118032593",
      "spread_bps": "100"
    }
  ],
  "page": 1,
  "total_pages": 1,
  "page_size": 50
}

This returns an array of all trades received by Zero Hash where the requestor is the Platform, either party associated with the trade, or the account group where the trade was settled.

Optional query parameters include:

GET /trades/:trade_id

A particular trade that has been submitted to Zero Hash for settlement. Note: the trade_id field is the Zero Hash-provided identifier returned as a response to the trade submission endpoints.

Sample Response

{
  "message": {
    "trade_id": "9411a2d9-8964-47d0-8971-a52db2f65748",
    "client_trade_id": "fjfd9wekdwoc0sdkcs09w",
    "session_id": "20190801000000",
    "trade_state": "terminated",
    "market_identifier_code": "SCXM",
    "reporting_party": "00SCXM",
    "settlement_schedule": "ABCDEF",
    "symbol": "BTC/USD",
    "trade_quantity": "4",
    "trade_price": "10000",
    "trade_type": "block",
    "physical_delivery": true,
    "comment": null,
    "last_update": 1565832456717,
    "transaction_timestamp": 1565731066447,
    "settlement_timestamp": 1565731965906,
    "accepted_timestamp": 1565731066768,
    "defaulted_timestamp": null,
    "settled_timestamp": 1565794980952,
    "contract_size": 1,
    "bank_fee": "1.00",
    "underlying": "BTC",
    "quoted_currency": "USD",
    "trade_reporter": "[email protected]",
    "platform_code": "00SCXM",
    "product_type": "spot",
    "parties_anonymous": false,
    "parties": [
      {
        "participant_code": "0M2CKW",
        "side": "buy",
        "asset": "BTC",
        "amount": "4",
        "liquidity_indicator": null,
        "execution_id": "ex_id1",
        "order_id": "foo",
        "desk_code": null,
        "trading_account_code": null,
        "obligations_outstanding_timestamp": null,
        "current_obligations_met_timestamp": null,
        "settlement_state": "settled",
        "client_order_id": null,
        "settling": true,
        "account_label": "general",
        "commission": null,
        "commission_asset": null,
        "commission_payor_participant_code": null,
        "commission_payor_account_group": null,
        "commission_payor_account_label": null
      },
      {
        "participant_code": "1J32WQ",
        "side": "sell",
        "asset": "USD",
        "amount": "40000",
        "liquidity_indicator": null,
        "execution_id": "ex_id2",
        "order_id": "foo",
        "desk_code": null,
        "trading_account_code": null,
        "obligations_outstanding_timestamp": null,
        "current_obligations_met_timestamp": null,
        "settlement_state": "settled",
        "client_order_id": null,
        "settling": true,
        "account_label": "general",
        "commission": null,
        "commission_asset": null,
        "commission_payor_participant_code": null,
        "commission_payor_account_group": null,
        "commission_payor_account_label": null
      }
    ],
    "network_fee_notional": null,
    "network_fee_quantity": null,
    "total_notional": "0.02",
    "asset_cost_notional": "0.02"
  }
}

POST /trades

Sample Request

const postTrades = () => {
  const body = {
    symbol: "BTC/USD",
    trade_reporter: "[email protected]",
    reporting_party: "AAAAAA",
    settlement_schedule: "ABCDEF",
    client_trade_id: "5155f7c9-95cb-4556-ab89-c178943a7111",
    trade_price: "1",
    trade_quantity: "0.0001",
    platform_code: "AAAAAA",
    parties_anonymous: false,
    transaction_timestamp: 1670958435349,
    product_type: "spot",
    trade_type: "regular",
    physical_delivery: true,
    parties: [
      {
        participant_code: "BBBBBB",
        asset: "BTC",
        side: "buy",
        settling: true
      },
      {
        participant_code: "CCCCCC",
        asset: "USD",
        side: "sell",
        settling: true
      }
    ]
  }

  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/trades' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    'https://api.zerohash.com/trades',
    options
  )
}

Sample Response

{
  "message": {
    "trade_id": "92616fce-31d3-465a-af01-0fb5d2dc4d40",
    "client_trade_id": "f2f14251-e296-42ac-9bc7-01c9186b9219",
    "session_id": "20190801000000",
    "trade_state": "terminated",
    "market_identifier_code": "TEST",
    "trade_reporter": "[email protected]",
    "reporting_party": "SGC7CQ",
    "settlement_schedule": "ABCDEF",
    "symbol": "BTC/USD",
    "trade_quantity": "1.0",
    "trade_price": "10000.000000",
    "trade_type": "regular",
    "physical_delivery": true,
    "comment": "Some comments about the trade for Zero Hash to store",
    "settlement_timestamp": 1575849302321,
    "transaction_timestamp": 1575849302321,
    "accepted_timestamp": 1564686909724,
    "settled_timestamp": null,
    "defaulted_timestamp": null,
    "contract_size": 1,
    "bank_fee": "1.00",
    "underlying": "BTC",
    "quoted_currency": "USD",
    "platform_code": "00TEST",
    "product_type": "spot",
    "parties_anonymous": true,
    "last_update": 1564686909724,
    "parties": [
      {
        "participant_code": "PKOHXY",
        "side": "buy",
        "asset": "BTC",
        "amount": "1.0",
        "liquidity_indicator": null,
        "execution_id": null,
        "order_id": null,
        "current_obligations_met_timestamp": 1564686909724,
        "obligations_outstanding_timestamp": 1564686909724,
        "client_order_id": null,
        "settling": true
      },
      {
        "participant_code": "S1I5ED",
        "side": "sell",
        "asset": "USD",
        "amount": "4000.0000",
        "liquidity_indicator": null,
        "execution_id": null,
        "order_id": null,
        "current_obligations_met_timestamp": 1564686909724,
        "obligations_outstanding_timestamp": 1564686909724,
        "client_order_id": null,
        "settling": true
      }
    ]
  }
}

Allows a Trade Reporter to post executed spot trades to Zero Hash for settlement. The following fields are part of the submission.

Parameter Description Type
client_trade_id A unique identifier for the trade, generally produced by the Platform on which the trade was executed
Note: this must be unique, per platform, per 72 hour period
string
trade_reporter A text field to indicate the name or identifier of the person or entity submitting the trade, e.g. an email address string
reporting_party (optional) The original reporter of the trade. This field is optional and must be a 6 digit participant code of which you have proper relationships with string
settlement_schedule (optional) Instructs Zero Hash to settle trades according to a certain schedule string
platform_code The unique identifier to the Platform on which the trade was executed, as provided by Zero Hash string
market_identifier_code (optional) TheISO 10383 market identifier code for the platform string
symbol A free text field to identify the pair being traded, e.g.BTC/USD string
product_type spot or forward string
trade_type The type of trade to be settled
Valid values are regular or block
string
trade_price The price the trade was executed, refer to
Note:
If the amount is included per side, then this must equal to the seller's amount divided by the buyer's amount. Please use the calculation result with the full decimals, e.g. if the trade_price is calculated with 25 decimal places, please provide all 25 decimal places in your payload.
string
amount Please make sure the 'amount' you pass follows Zero Hash's asset precision rules which can be found here -What assets do you support? If the amount does not follow the precision rules, only the amount value that falls within the allowed precision will be settled in the account at the end.
trade_quantity (conditional) The quantity purchased
Note: if the amount is included per side, then this should not be included, otherwise it is required
string
physical_delivery A boolean statement to indicate if the trade is physically delivered
Currently Zero Hash only supports physically-settled trades, i.e. a value of true
boolean
transaction_timestamp The unix timestamp the trade was executed on the external platform in milliseconds timestamp
comment (optional) An optional field to use if there is any additional information needed string
parties_anonymous A boolean flag to determine if the counterparties are known to each other
Must be false if the platform_code is also a counterparty to the trade
boolean
parties[] The counterparties of the trade
Currently Zero Hash only supports 2 parties per trade
array
settlement_price_index_id (conditional) The unique identifier of the benchmark settlement price to be used when calculating settlement obligations on trades that are settled at Zero Hash - required forforwards only string
settlement_timestamp (optional) The datetime when final settlement will first be attempted - if not included, the standard platform settlement instructions will be applied number (unix ms timestamp)
expiry_timestamp (optional) The last datetime that the product can be traded, and the datetime that all final prices will be set, i.e. the fixing date - relevant forforwards only
Note: after this point, there is no more ability to exit the trade or change its economics
number (unix ms timestamp)
bank_fee (optional) An optional field that clients can use to specify the fee taken by the banking partner. This is used for reporting purposes only (supports 2 decimal places) string
network_fee_notional (optional) The notional value of the network fee applied to the trade if applicable string
network_fee_quantity (optional) The quantity of the network fee applied to the trade string
total_notional (optional) The notional cost amount plus network fee notional amount string
asset_cost_notional (optional) The cost of the asset in the notional amount string

Parameters for a specific party to a trade.

Parameter Description Type
side The side of the party,buy or sell string
participant_code The participant code as assigned by Zero Hash
Note: this will be Anonymous for counterparties to the trade if the parties_anonymous boolean was flagged as true by the Trade Reporter
string
asset The asset that is being received by the party string
amount (conditional) The amount of the asset that the party is receiving
Note: if the trade_quantity is included, then this should not be included, otherwise it is required
string
liquidity_indicator (optional) This an optional field that can be sent to mark whether the partyadded or removed liquidity upon execution, used for reporting purposes only string
client_order_id (optional) This is an optional field that may have been sent by your clients and can be sent as part of the request, used for reporting purposes only string
order_id (optional) This is an optional field that can be used to identify orders within your system, used for reporting purposes only string
execution_id (optional) This an optional field that can be used to identify the ID of the execution for orders, used for reporting purposes only string
settling This field states which side(s) will be settled string
account_label (optional) The account label allocated to the trade string
commission (optional) Amount of the commission collected for the trade string
commission_asset (optional) The asset type (e.g. USD, BTC) for the collected commission string
commission_payor_participant_code (optional) The participant code tied to the commission string
commission_payor_account_group (optional) The account group tied to the commission string
commission_payor_account_label (optional) The account label tied to the commission string

As a response, all information provided in the trade submission will be returned, plus the following additional fields:

Parameter Description Type
trade_id A unique ID from Zero Hash string
trade_state accepted, active, terminated string
accepted_timestamp The timestamp when the trade was first accepted into Zero Hash with atrade_state of accepted timestamp
current_obligations_met_timestamp The most recent timestamp when the trade reached thesettlement_state of current_obligations_met. Will be null if this has not occured yet timestamp
obligations_outstanding_timestamp The most recent timestamp when the trade reached thesettlement_state of obligations_outstanding. Will be null if this has not occured yet timestamp
settlement_state null, obligations_oustanding, current_obligations_met, counterparty_defaulted, settled or defaulted string
settled_timestamp The timestamp when the trade fully settled all obligations, thereby reaching the terminalsettlement_state of settled. Will be null if this has not occured yet timestamp
defaulted_timestamp The timestamp when the trade defaulted due to obligations not being met on time, thereby reaching the terminalsettlement_state of defaulted. Will be null if this has not occured yet timestamp
last_update The timestamp that indicates the last time the trade was updated timestamp
session_id This field reflects the Session Period - A discrete period in time encompassing all trading for a platform. This could be as short as one minute or as long as one business day. string

Trade Price

A trade_price with any precision is accepted, however note that final settlement amounts are limited to the asset’s currency precision limit. Further, when calculating trade notional and settlement values, Zero Hash utilizes banker's rounding. See Precision column for more details.

Quantity and Amount

There are 2 methods of submitting trade price, quantity and amount information to Zero Hash. Depending on your setup, one may be more appropriate than the other:

  1. Submit trade_price and trade_quantity and we will therefore calculate the amount that each side will receive, e.g. for a BTC/USD trade, you may submit a trade_price of 10,000 and a trade_quantity of 1. We would therefore calculate that the buyer receives 1 BTC and the seller receives $10,000. This model is useful for trading platforms that have more defined instruments.
  2. Submit trade_price and the amount field per side, which means you explicitly state the amount that each side receives, e.g. for a BTC/USD trade, you may submit a trade_price of 10,000 and an amount of 1 for the buy side an amount of 10000 for the sell side. This is useful for platforms that have lots of flexibility in the amounts and assets that are traded. Note: if the amount is included per side, then the trade_price must equal to the seller's amount divided by the buyer's amount, accurate for up to 20 figures.

Physical Delivery

This boolean determines if a product is physically or financially-settled.

Parties Anonymous

The parties_anonymous field is used to protect counterparty information. In the event that a Trade Reporter wishes to keep the counterparty details anonymous, this flag can be set to true. This is relevant for brokers and other types of agency execution providers.

Trade State

Settlement State

POST /trades/batch

Sample Request

[
  {
    "symbol": "BTC/USD",
    "trade_reporter": "[email protected]",
    "reporting_party": "AAAAAA",
    "settlement_schedule": "ABCDEF",
    "client_trade_id": "5155f7c9-95cb-4556-ab89-c178943a7111",
    "trade_price": "1",
    "trade_quantity": "0.0001",
    "platform_code": "AAAAAA",
    "parties_anonymous": false,
    "transaction_timestamp": 1602182786660,
    "product_type": "spot",
    "trade_type": "regular",
    "physical_delivery": true,
    "parties": [
      {
        "participant_code": "BBBBBB",
        "asset": "BTC",
        "side": "buy",
        "settling": true
      },
      {
        "participant_code": "CCCCCC",
        "asset": "USD",
        "side": "sell",
        "settling": true
      }
    ]
  },
  {
    "symbol": "BTC/USD",
    "trade_reporter": "[email protected]",
    "reporting_party": "DDDDDD",
    "settlement_schedule": "ABCXYZ",
    "client_trade_id": "5155f7c9-95cb-4556-ab89-c178943a7222",
    "trade_price": "2",
    "trade_quantity": "0.0002",
    "platform_code": "DDDDDD",
    "parties_anonymous": false,
    "transaction_timestamp": 1602182786660,
    "product_type": "spot",
    "trade_type": "regular",
    "physical_delivery": true,
    "parties": [
      {
        "participant_code": "EEEEEE",
        "asset": "BTC",
        "side": "buy",
        "settling": true
      },
      {
        "participant_code": "FFFFFF",
        "asset": "USD",
        "side": "sell",
        "settling": true
      }
    ]
  }
]

Sample Response

{
  "message": [
    {
      "trade_id": "a51d841b-0b1f-441c-96e3-fd164e0b3ff8",
      "client_trade_id": "5155f7c9-95cb-4556-ab89-c178943a7111",
      "session_id": "20190801000000",
      "trade_state": "accepted",
      "market_identifier_code": null,
      "trade_reporter": "[email protected]",
      "reporting_party": "AAAAAA",
      "settlement_schedule": "ABCDEF",
      "symbol": "BTC/USD",
      "trade_quantity": "0.0001",
      "trade_price": "1",
      "trade_type": "regular",
      "physical_delivery": true,
      "comment": null,
      "last_update": 1602526124763,
      "transaction_timestamp": 1602182786660,
      "accepted_timestamp": 1602526124692,
      "defaulted_timestamp": null,
      "settled_timestamp": null,
      "expiry_timestamp": null,
      "settlement_timestamp": null,
      "settlement_price_index_id": null,
      "contract_size": 1,
      "bank_fee": "1.00",
      "underlying": "BTC",
      "quoted_currency": "USD",
      "trade_reporter": "AAAAAA",
      "platform_code": "AAAAAA",
      "product_type": "spot",
      "parties_anonymous": false,
      "parties": [
        {
          "participant_code": "BBBBBB",
          "side": "buy",
          "asset": "BTC",
          "amount": "null",
          "liquidity_indicator": null,
          "execution_id": null,
          "order_id": null,
          "obligations_outstanding_timestamp": null,
          "current_obligations_met_timestamp": null,
          "settlement_state": null,
          "client_order_id": null,
          "collateral_percentage": null
        },
        {
          "participant_code": "CCCCCC",
          "side": "sell",
          "asset": "USD",
          "amount": "null",
          "liquidity_indicator": null,
          "execution_id": null,
          "order_id": null,
          "obligations_outstanding_timestamp": null,
          "current_obligations_met_timestamp": null,
          "settlement_state": null,
          "client_order_id": null,
          "collateral_percentage": null
        }
      ],
      "platform_name": null
    },
    {
      "trade_id": "fe47ef4b-43d3-41c6-a7e9-42e414a6b34e",
      "client_trade_id": "5155f7c9-95cb-4556-ab89-c178943a7222",
      "session_id": "20190801000000",
      "trade_state": "accepted",
      "market_identifier_code": null,
      "trade_reporter": "[email protected]",
      "reporting_party": "DDDDDD",
      "settlement_schedule": "ABCXYZ",
      "symbol": "BTC/USD",
      "trade_quantity": "0.0002",
      "trade_price": "2",
      "trade_type": "regular",
      "physical_delivery": true,
      "comment": null,
      "last_update": 1602526124648,
      "transaction_timestamp": 1602182786660,
      "accepted_timestamp": 1602526124637,
      "defaulted_timestamp": null,
      "settled_timestamp": null,
      "expiry_timestamp": null,
      "settlement_timestamp": null,
      "settlement_price_index_id": null,
      "contract_size": 1,
      "bank_fee": "1.00",
      "underlying": "BTC",
      "quoted_currency": "USD",
      "trade_reporter": "DDDDDD",
      "platform_code": "DDDDDD",
      "product_type": "spot",
      "parties_anonymous": false,
      "parties": [
        {
          "participant_code": "EEEEEE",
          "side": "buy",
          "asset": "BTC",
          "amount": "null",
          "liquidity_indicator": null,
          "execution_id": null,
          "order_id": null,
          "obligations_outstanding_timestamp": null,
          "current_obligations_met_timestamp": null,
          "settlement_state": null,
          "client_order_id": null,
          "collateral_percentage": null
        },
        {
          "participant_code": "FFFFFF",
          "side": "sell",
          "asset": "USD",
          "amount": "null",
          "liquidity_indicator": null,
          "execution_id": null,
          "order_id": null,
          "obligations_outstanding_timestamp": null,
          "current_obligations_met_timestamp": null,
          "settlement_state": null,
          "client_order_id": null,
          "collateral_percentage": null
        }
      ],
      "platform_name": null
    }
  ]
}

Allows a Trade Reporter to post multiple trades to Zero Hash for settlement. All trades submitted together must each independently pass validation for the batch to be accepted. If any trade is rejected, the entire batch will be rejected. This is useful for liquidity providers that wish to capture a spread between two counterparty trades.

The field requirements are the same as POST /trades, so please refer to the section above.

Positions

GET /positions

const getPositions = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/positions' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }
  return request.get(`https://api.zerohash.com/positions`, options)
}
accounts = make_seed_request('GET', '/positions', {})

Sample Response

{
  "message": [
    {
      "platform_code": "PLAT01",
      "participant_code": "CUST01",
      "asset": "BTC",
      "position_all_open_trades": "10.02",
      "position_all_accepted_trades_only": "10.02",
      "position_all_active_trades_only": "0"
    },
    {
      "platform_code": "PLAT01",
      "participant_code": "CUST01",
      "asset": "USD",
      "position_all_open_trades": "-100200",
      "position_all_accepted_trades_only": "-100200",
      "position_all_active_trades_only": "0"
    },
    {
      "platform_code": "PLAT02",
      "participant_code": "CUST01",
      "asset": "USDC",
      "position_all_open_trades": "-110000",
      "position_all_accepted_trades_only": "0",
      "position_all_active_trades_only": "-110000"
    },
    {
      "platform_code": "PLAT02",
      "participant_code": "CUST01",
      "asset": "USD",
      "position_all_open_trades": "109670",
      "position_accepted_trades_only": "0",
      "position_active_trades_only": "109670"
    }
  ]
}

Returns an array of all positions maintained at Zero Hash for the participant issuing the query. The response will include positions for all platforms for which the participant is active. Response parameters listed below.

Query parameters include:

Response:

Parameter Description Type
platform_code The code of the platform for the position string
participant_code The code of the participant that holds the position string
asset The asset code for the for the position, e.g.USD string
position_all_open_trades The net position of all open trades in the asset, i.e. trades with atrade_state of accepted or active string
position_accepted_trades_only The net position of all trades in the asset with atrade_state of accepted, i.e. trades where settlement has not yet been attempted string
position_active_trades_only The net position of all trades in the asset with atrade_state of active, i.e. trades where settlement has been attempted but was unsuccessful string

GET /positions/platform/:platform_code

const getPositionsForPlatform = (platformCode: string) => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/positions/' + platformCode + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/positions/platform/' + platformCode,
    options
  )
}
accounts = make_seed_request('GET', '/positions/platform/PLAT01', {})

Sample Response

{
  "message": [
    {
      "platform_code": "PLAT01",
      "participant_code": "CUST01",
      "asset": "BTC",
      "position_all_open_trades": "10.02",
      "position_all_accepted_trades_only": "10.02",
      "position_all_active_trades_only": "0"
    },
    {
      "platform_code": "PLAT01",
      "participant_code": "CUST01",
      "asset": "USD",
      "position_all_open_trades": "-100200",
      "position_all_accepted_trades_only": "-100200",
      "position_all_active_trades_only": "0"
    },
    {
      "platform_code": "PLAT01",
      "participant_code": "CUST02",
      "asset": "USDC",
      "position_all_open_trades": "-110000",
      "position_all_accepted_trades_only": "0",
      "position_all_active_trades_only": "-110000"
    },
    {
      "platform_code": "PLAT01",
      "participant_code": "CUST02",
      "asset": "USD",
      "position_all_open_trades": "109670",
      "position_accepted_trades_only": "0",
      "position_active_trades_only": "109670"
    }
  ]
}

Returns an array of all positions maintained at Zero Hash for the platform issuing the query. The response will include positions for all participants active on the platform. Response parameters listed below.

Query parameters include:

Response:

Parameter Description Type
platform_code The code of the platform for the position string
participant_code The code of the participant that holds the position string
asset The asset code for the for the position, e.g.USD string
position_all_open_trades The net position of all open trades in the asset, i.e. trades with atrade_state of accepted or active string
position_accepted_trades_only The net position of all trades in the asset with atrade_state of accepted, i.e. trades where settlement has not yet been attempted string
position_active_trades_only The net position of all trades in the asset with atrade_state of active, i.e. trades where settlement has been attempted but was unsuccessful string

Accounts

GET /accounts

const getAccounts = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/accounts' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(`https://api.zerohash.com/accounts`, options)
}
accounts = make_seed_request('GET', '/accounts', {})

Sample Response

{
  "message": [
    {
      "asset": "USD",
      "account_owner": "ABCDEF",
      "account_type": "collateral_deficiency",
      "account_group": "XYZ456",
      "account_label": "general",
      "balance": "0.00",
      "account_id": "ce819fe8-b1d7-43bb-961c-e09ede0988d3",
      "last_update": 1554395972174
    }
  ],
  "page": 1,
  "total_pages": 1
}

Query parameters include:

Returns an array of all accounts with a non-zero balance maintained at Zero Hash and their balances as of the most recent settlement run. Response parameters listed below.

Parameter Description Type
asset The asset code for the specific account, e.g.USD string
account_owner The code of the participant that owns the account string
account_type available, collateral, payable, receivable or collateral_deficiency string
account_group The group that the account is a part of string
account_label Theaccount label associated with the account string
balance The balance in the account string
account_id Unique ID of the specific account string
last_update Timestamp when the account balance was updated timestamp

Assets

Refer to our FAQ page to see which assets we support and their corresponding asset codes.

Account Type

Account types refer to their utilization. Zero Hash maintains 5 account types:

Refer to our FAQ for more information: What types of accounts are supported?

Account Group

Account groups are utilized as part of the Zero Hash settlement infrastructure, to determine for which purpose the funds in the account have been allocated. Generally, an account group refers to a platform.

Refer to our FAQ for more information: What is an account group?

Account Label

Account Labels can be thought of as “sub account groups”. Within each account group, you can have many Account Labels. They are used to separate funds at a more granular level. The default value is general.

Refer to our FAQ for more information: What is an Account Label?

GET /accounts/net_delivery_obligations

const getNDO = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/accounts/net_delivery_obligations' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/accounts/net_delivery_obligations`,
    options
  )
}
account = make_seed_request('GET', '/accounts/net_delivery_obligations', {})

Sample Response

{
  "message": [
    {
      "asset": "USD",
      "amount": "10532.15",
      "account_group": "00SCXM",
      "account_label": "general"
    },
    {
      "asset": "BTC",
      "amount": "3",
      "account_group": "00SCXM",
      "account_label": "general"
    }
  ]
}

Your current net delivery obligations (NDO) across all accounts. See here for more information on NDOs: What does NDO mean?

Response parameters listed below.

Parameter Description Type
asset The asset code for the specific account, e.g.USD string
amount The amount owed string
account_group The sub account determination used for allocating towards settlements string
account_label The account label associated with the account string

GET /accounts/:account_id

const getAccount = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/accounts/e5e18303-a352-4c28-8dab-3779e66a659b' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/accounts/e5e18303-a352-4c28-8dab-3779e66a659b`,
    options
  )
}
account = make_seed_request('GET', '/accounts/e5e18303-a352-4c28-8dab-3779e66a659b', {})

Sample Response

{
  "message": {
    "asset": "USD",
    "account_owner": "ABC123",
    "account_type": "collateral_deficiency",
    "account_group": "00SCXM",
    "account_label": "general",
    "balance": "0.00",
    "account_id": "ce819fe8-b1d7-43bb-961c-e09ede0988d3",
    "last_update": 1554395972174
  }
}

Information about a specific account. Response parameters listed below.

Parameter Description Type
asset The asset code for the specific account, e.g.USD string
account_owner The code of the participant that owns the account string
account_type available, collateral, payable, receivable or collateral_deficiency string
account_group The sub account determination used for allocating towards settlements string
balance The balance in the account string
account_id Unique ID of the specific account string
last_update Timestamp of last settlement run timestamp
account_label The account label associated with the account string

GET /accounts/:account_id/run_history

Sample Request

const getAccountRunHistory = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/accounts/e5e18303-a352-4c28-8dab-3779e66a659b/run_history' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/accounts/e5e18303-a352-4c28-8dab-3779e66a659b/run_history`,
    options
  )
}

Sample Response

{
  "message": [
    {
      "run_timestamp": 1549577062214,
      "run_type": "settlement",
      "run_id": "500",
      "change": "2000",
      "new_balance": "146645"
    },
    {
      "run_timestamp": 1520134020000,
      "run_type": "deposit",
      "run_id": "480",
      "change": "100000",
      "new_balance": "144645"
    },
    {
      "run_timestamp": 1510101010000,
      "run_type": "withdrawal",
      "run_id": "375",
      "change": "-20000",
      "new_balance": "44645"
    }
  ],
  "page": 1,
  "total_pages": 32
}

Returns the history of grouped settlements, deposits, withdrawals and other changes that have been applied to an account to lead up to its current balance.

Parameter Description Type
run_timestamp The time that the particular run was executed timestamp
run_type The type of run string
run_id A unique ID for the particular run string
change The net change to the account due to all movements within the particular run string
new_balance The new account balance post-run string

Run Type

A run is a group of movements that pertain to the same type of change to an account. They are split into the following buckets:

Run Description
deposit deposit represents a new deposit into the particular account, always increasing the total balance of the account
execution_fee execution_fee represents a run to process fees incurred from trading on a Zero Hash liquidity venue
network_fee network_fee represents any and all blockchain network fees applied to an account, always decreasing the total balance of the account
settlement settlement is a group of movements due to margining and settling trades, which may increase or decrease the account balance
transfer transfer represents an internal transfer to or from an account at Zero Hash
withdrawal withdrawal represents an approved and processed withdrawal from a particular account, always decreasing the total balance of the account

GET /accounts/:account_id/movements

Sample Request

const getAccountMovements = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/accounts/e5e18303-a352-4c28-8dab-3779e66a659b/movements' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/accounts/e5e18303-a352-4c28-8dab-3779e66a659b/movements`,
    options
  )
}

Sample Response

{
  "message": [
    {
      "run_id": "500",
      "movement_timestamp": 1554395972174,
      "movement_id": "ab938734-0aa6-4378-baa1-2cc56aeee757",
      "movement_type": "final_settlement",
      "trade_id": "951806f4-d3ba-42c4-96fe-8083cd3202cf",
      "deposit_reference_id": null,
      "withdrawal_request_id": null,
      "change": "100",
      "parent_link_id": "f99411c3-5958-42f0-9ab7-d94d14221786"
    },
    {
      "run_id": "500",
      "movement_timestamp": 1554395972174,
      "movement_id": "d8f902be-f8c3-4f9c-ac66-67000510900d",
      "movement_type": "final_settlement",
      "trade_id": "3ad29e08-8b4f-435b-89aa-17b7a298b350",
      "deposit_reference_id": null,
      "withdrawal_request_id": null,
      "change": "-200",
      "parent_link_id": "53fe5944-12ff-4d17-ac0f-34530b184f7a"
    },
    {
      "run_id": "498",
      "movement_timestamp": 1554395972000,
      "movement_id": "c6af3d80-1aca-4280-b96b-a9b8d7ced46a",
      "movement_type": "deposit",
      "trade_id": null,
      "deposit_reference_id": "ebedc42f-85c3-4468-8894-1cb6f49f7a04",
      "withdrawal_request_id": null,
      "change": "10000",
      "parent_link_id": "27ebe256-fa77-4c27-b92e-111bc354be03"
    },
    {
      "run_id": "497",
      "movement_timestamp": 1554395972000,
      "movement_id": "c6af3d80-1aca-4280-b96b-a9b8d7ced46a",
      "movement_type": "withdrawal",
      "trade_id": null,
      "deposit_reference_id": null,
      "withdrawal_request_id": "100",
      "change": "-50",
      "parent_link_id": "8de019e4-f1fa-40af-9296-1ccda8f02abe"
    }
  ],
  "page": 1,
  "total_pages": 40
}

Returns the history of each itemized movement that has been applied to an account to lead up to its current balance.

Optional query parameters include:

Parameter Description Type
run_id A unique ID for the particular run string
movement_timestamp The timestamp of the specific movement timestamp
movement_id A unique ID for the specific account update string
movement_type The type of movement string
trade_id The unique identifier of the trade or loan that resulted in the movement, if the movement was due to a trade or loan
If a trade, this is equal to the trade_id field provided via the /trades
string
deposit_reference_id This is an external identifier associated with the deposit, if the movement was due to a deposit
This is equal to the reference_id field provided via the /deposits endpoint
string
withdrawal_request_id The withdrawal request ID, if the movement was due to a withdrawal
This is equal to the id field provided via the /withdrawals/requests endpoint
string
change The change due to the specific movement string
parent_link_id The identifier of the transaction that originated the movement string

Movement Type

Movement Description
collateralize_loan A movement related to an increase in collateral held for any open loan(s)
deposit A deposit of additional assets into Zero Hash
execution_fee A movement due to incurred execution fees related to your trading activity on a Zero Hash liquidity venue
final_settlement A movement due to the full delivery and final settlement of a trade
final_settlement_default A movement due to a financially-settled trade whose final settlement obligation could not be fully settled due to a default
final_settlement_default_fallback A movement due to the financial settlement for the portion of a physically-settled trade's final settlement obligation that was not fully delivered due to a default
final_settlement_default_partial A movement due to the partial physical delivery of a physically-settled trade whose final settlement obligation could not be fully delivered due to a default
initial_margin A movement related to an increase or decrease in collateral held for any open position(s)
interest_payment A payment of interest for a loan
loan_collateral_return A movement related to a decrease in collateral held for any open loan(s)
network_fee A blockchain network fee incurred due to an on-chain movement related to your wallet
principal_swap A transfer of principal and collateral assets to open a loan
repayment A transfer to return principal and collateral for a loan that has terminated
transfer An internal transfer to or from an account at Zero Hash
variation_margin A payment made or collected due to changes in the market value of the position since the trade was executed or since the previous time the position was marked to market
variation_margin_previous A payment made or collected to settle a previously outstanding variation margin obligation
withdrawal A processed withdrawal from Zero Hash
withdrawal_confirmed Reversal of the temporary hold due to a withdrawal being processed
withdrawal_pending Temporary hold whilst a withdrawal is being processed

POST /accounts/new

Sample Request

const postAccount = () => {
  const body = {
    participant_code: "PAR001",
    prefunded: false,
    account_label: "account-label"
  }

  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/accounts/new' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    'https://api.zerohash.com/accounts/new',
    options
  )
}
accounts = make_seed_request('POST', '/accounts/new', {})

Sample Response

{
  "message": {
    "participant_code": "PAR001",
    "account_group": "PLT001",
    "account_label": "account-label",
    "prefunded": false
  }
}

Allows a platform to specify that an account is either pre-funded or not. NOTE: this is only relevant to our Central Limit Order Book (CLOB).

Parameter Description Type
participant_code The code of the participant that owns the account string
account_label the platform-dictated account label for the account. If not filled, the account label will be the participant_code. string
prefunded indicates whether the participant has prefunded their account or not boolean

Movements

GET /movements

Sample Request

const getAccountMovements = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/movements?page=1&limit=3&account_id=e5e18303-a352-4c28-8dab-3779e66a659b' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/movements?page=1&limit=3&account_id=e5e18303-a352-4c28-8dab-3779e66a659b`,
    options
  )
}

Sample Response

{
  "message": [
    {
      "movement_timestamp": 1554395972174,
      "account_id": "e5e18303-a352-4c28-8dab-3779e66a659b",
      "movement_id": "ab938734-0aa6-4378-baa1-2cc56aeee757",
      "movement_type": "final_settlement",
      "transfer_type": null,
      "deposit_reference_id": null,
      "withdrawal_request_id": null,
      "parent_link_id": "f99411c3-5958-42f0-9ab7-d94d14221786",
      "trade_id": "951806f4-d3ba-42c4-96fe-8083cd3202cf",
      "change": "100"
    },
    {
      "movement_timestamp": 1554395972174,
      "account_id": "e5e18303-a352-4c28-8dab-3779e66a659b",
      "movement_id": "d8f902be-f8c3-4f9c-ac66-67000510900d",
      "movement_type": "final_settlement",
      "transfer_type": null,
      "deposit_reference_id": null,
      "withdrawal_request_id": null,
      "parent_link_id": "53fe5944-12ff-4d17-ac0f-34530b184f7a",
      "trade_id": "3ad29e08-8b4f-435b-89aa-17b7a298b350",
      "change": "-200"
    },
    {
      "movement_timestamp": 1554395972000,
      "account_id": "e5e18303-a352-4c28-8dab-3779e66a659b",
      "movement_id": "c6af3d80-1aca-4280-b96b-a9b8d7ced46a",
      "movement_type": "deposit",
      "transfer_type": null,
      "deposit_reference_id": "ebedc42f-85c3-4468-8894-1cb6f49f7a04",
      "withdrawal_request_id": null,
      "parent_link_id": "27ebe256-fa77-4c27-b92e-111bc354be03",
      "trade_id": null,
      "change": "10000"
    }
  ],
  "page": 1,
  "total_pages": 10
}

Returns movements that lead up to current account balance.

Optional query parameters include:

Parameter Description Type
movement_timestamp The timestamp of the specific movement timestamp
account_id A unique ID for the specific account timestamp
movement_id A unique ID for the specific account update string
movement_type The type of movement string
transfer_type The type of transfer string
trade_id The unique identifier of the trade or loan that resulted in the movement, if the movement was due to a trade or loan
If a trade, this is equal to the trade_id field provided via the /trades
string
deposit_reference_id This is an external identifier associated with the deposit, if the movement was due to a deposit
This is equal to the reference_id field provided via the /deposits endpoint
string
withdrawal_request_id The withdrawal request ID, if the movement was due to a withdrawal
This is equal to the id field provided via the /withdrawals/requests endpoint
string
change The change due to the specific movement string
parent_link_id The identifier of the transaction that originated the movement string

Movement Type

Movement Description
collateralize_loan A movement related to an increase in collateral held for any open loan(s)
deposit A deposit of additional assets into Zero Hash
execution_fee A movement due to incurred execution fees related to your trading activity on a Zero Hash liquidity venue
final_settlement A movement due to the full delivery and final settlement of a trade
final_settlement_default A movement due to a financially-settled trade whose final settlement obligation could not be fully settled due to a default
final_settlement_default_fallback A movement due to the financial settlement for the portion of a physically-settled trade's final settlement obligation that was not fully delivered due to a default
final_settlement_default_partial A movement due to the partial physical delivery of a physically-settled trade whose final settlement obligation could not be fully delivered due to a default
initial_margin A movement related to an increase or decrease in collateral held for any open position(s)
interest_payment A payment of interest for a loan
loan_collateral_return A movement related to a decrease in collateral held for any open loan(s)
network_fee A blockchain network fee incurred due to an on-chain movement related to your wallet
principal_swap A transfer of principal and collateral assets to open a loan
repayment A transfer to return principal and collateral for a loan that has terminated
transfer An internal transfer to or from an account at Zero Hash
variation_margin A payment made or collected due to changes in the market value of the position since the trade was executed or since the previous time the position was marked to market
variation_margin_previous A payment made or collected to settle a previously outstanding variation margin obligation
withdrawal A processed withdrawal from Zero Hash
withdrawal_confirmed Reversal of the temporary hold due to a withdrawal being processed
withdrawal_pending Temporary hold whilst a withdrawal is being processed
commission Commission charged on the trade
bank_fee Information field for platforms to provide if needed

Transfer Type

Transfer Description
trade_allocation A trade movement to customer account for settlement
commission_allocation A commission movement to customer account for settlement
commission_correction An adjustment to commission

Deposits

GET /deposits

const getDeposits = () => {
  const body = {}
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/deposits' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/deposits', options)
}
deposits = make_seed_request('GET', '/deposits', {})

Sample Response

{
  "message": [
    {
      "settle_timestamp": 1590663417000,
      "account_id": "80289ce5-072b-4739-929d-dcc5ccc542f3",
      "movement_id": "21bdbb11-712f-4cb7-a178-4f277c80cde0",
      "participant_code": "ABC123",
      "account_group": "00SCXM",
      "account_label": "general",
      "asset": "BTC",
      "amount": "4.0000",
      "reference_id": "408482348dcb0e0331a9148d50f8c76db08138f63fb1586fcfc45200a91ccc5f",
      "source": "tb1qne1pq8yampg83w4d5ywc79frdrub0az9eqpq9w",
      "received_address": "tb1qf9bd2891mfhhz87o6ibairn86tadctgcn822pl",
      "run_id": "12613"
    }
  ],
  "page": 1,
  "total_pages": 1
}

Returns an array of deposits associated with the participant requesting. If you'd like to view your customer deposits in addition to yours, use the include_customer_deposits query parameter.

Query parameters include:

Response:

Parameter Description Type
settle_timestamp The timestamp for when the deposit was credited to the participant - this is also themovement_timestamp timestamp
movement_id A unique ID for the specific account update string
account_id Unique ID of the specific account string
participant_code The participant that was credited with the deposit, e.g.ABCDEF string
account_group The account group associated with theaccount_id that received the deposit, e.g. 00SCXM for the Seed Digital Commodities Market account group string
account_label The account label associated with the account string
asset The asset code for the request, e.g.BTC string
amount The amount that was deposited into the account number
reference_id This is an external identifier associated with the deposit, which is context-specific depending on the asset type and deposit source - wire, transfer or on-chain transaction ID string
source The bank into which the fiat deposit was made or the blockchain address from which the crypto deposit came string
received_address The blockchain address to which the crypto deposit went string
run_id A unique ID for the particular run string

GET /deposits/digital_asset_addresses

const getDepositAddresses = () => {
  const body = {}
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/deposits/digital_asset_addresses' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/deposits/digital_asset_addresses',
    options
  )
}
depositAddresses = make_seed_request('GET', '/deposits/digital_asset_addresses', {})

Sample Response

{
  "message": [
    {
      "created_at": 1561996924964,
      "address": "2NCgV7BXXafJZ86utcYFs5m3tCpkcpLafeG",
      "participant_code": "ABCDEF",
      "asset": "BTC"
    },
    {
      "created_at": 1561996924964,
      "address": "0xe01ed9e684de649bfec799cd79f6c27335c23cb9",
      "participant_code": "ABCDEF",
      "asset": "ETH"
    }
  ]
}

Returns an array of addresses associated with a participant's digital asset wallet. In order to GET deposit addresses for a participant_code other than yourself, you must have the submits_platform_withdrawals_for relationship against said participant_code. Refer here for more information on relationship types.

Query parameters include:

Response:

Parameter Description Type
created_at The timestamp for when the address was created timestamp
address The digital wallet address string
asset The asset code for the request, e.g.BTC string
participant_code The participant the request belongs to, e.g.ABCDEF string

POST /deposits/digital_asset_addresses

const postDepositAddress = () => {
  const body = { participant_code: 'ABCDEF', asset: 'BTC' }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/deposits/digital_asset_addresses' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    'https://api.zerohash.com/deposits/digital_asset_addresses',
    options
  )
}
depositAddress = make_seed_request('POST', '/deposits/digital_asset_addresses', {})

Sample Request

{
  "participant_code": "ABCDEF",
  "asset": "BTC"
}

Sample Response

{
  "message": {
    "created_at": 1561996924964,
    "address": "2NCgV7BXXafJZ86utcYFs5m3tCpkcpLafeG",
    "participant_code": "ABCDEF",
    "account_label": "general",
    "asset": "BTC"
  }
}

Creates a new digital wallet deposit address for the asset and participant_code provided. In order to request a deposit address for a participant_code other than yourself, you must have the submits_platform_withdrawals_for relationship against said participant_code. Refer here for more information on relationship types.

Parameter Description Type
participant_code The participant code to create an address for string
asset The asset code to make an address in, e.g.BTC string
account_label (optional) The account label associated with the deposit per participant and asset string

Response:

Parameter Description Type
created_at The timestamp for when the address was created timestamp
address The digital wallet address string
asset The asset code tied to the address, e.g.BTC string
participant_code The participant the address belongs to, e.g.ABCDEF string
account_label The account label associated with the deposit per participant and asset, e.g.general string

GET /deposits/fiat_accounts

const getFiatDepositAccounts = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/deposits/fiat_accounts' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/deposits/fiat_accounts', options)
}
zeroHashAccounts = make_seed_request('GET', '/deposits/fiat_accounts', {})

Sample Response

{
  "message": {
    "USD": [
      {
        "type": "united_states_wire",
        "shortName": "BMO Harris",
        "bankName": "BMO Harris Bank N.A.",
        "bankPhysicalAddress": "123 Nowhere St.",
        "accountNumber": "123-123-4",
        "routingNumber": "07102343",
        "recipientName": "Zero Hash LLC",
        "recipientPhysicalAddress": "123 Nowhere St.",
        "reference": "Your Participant Code"
      },
      {
        ...
      }
    ],
    "EUR": [
      ...
    ]
  }
}

Retrieves a list of all fiat deposit accounts available to you per fiat currency. The account details are keyed by currency code. Note: your participant code is provided as the reference field for each bank account. You must include this with any deposit to ensure that funds can be allocated correctly to your participant.

POST /deposits/fund

const postDepositsFund = () => {
  const body = { participant_code: 'ABCDEF', asset: 'USD', amount: '2.99' }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/deposits/fund' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    'https://api.zerohash.com/deposits/fund',
    options
  )
}
depositsFund = make_seed_request('POST', '/deposits/fund', {})

Sample Request

{
  "participant_code": "ABCDEF",
  "asset": "USD",
  "amount": "1.00"
}

Sample Response

{
  "message": {
    "amount": "1.00",
    "participant_code": "ABCDEF",
    "account_group": "ABCDEF",
    "account_label": "general",
    "account_type": "available",
    "asset": "USD",
    "reference_id": "21bdbb11-712f-4cb7-a178-4f277c80cde0"
  }
}

Use this endpoint to fund a specified fiat account in Zero Hash’s CERT environment. This is NOT available in PROD. Using this endpoint is helpful when completing an integration to Zero Hash and wanting to enable end-to-end testing.

Parameter Description Type
participant_code (required) This can be a linked participant to the Platform or the Platform can provide 00SCXM when looking to fund float accounts. string
asset (required) The fiat asset that is looking to be funded. Right now this will only support USD. string
amount (required) The amount that the Platform is looking to fund. This can only go out to two decimal places. string
account_label (optional) This will default to general if not provided. Platforms may want to specify a specific account_label when looking to fund their rewards or awards float account. string

Please note that Zero Hash will default the account label to be the platform_code in the background to ensure the Platform is only funding accounts they manage.

Response:

Parameter Description Type
participant_code The code of the participant that owns the account string
asset The asset code for the specific account, e.g. USD string
amount The amount that was deposited into the account string
account_label Theaccount label associated with the account string
account_group The group that the account is a part of string
account_type 'available', 'collateral', 'payable', 'receivable' or 'collateral_deficiency' string
reference_id This is an external identifier associated with the deposit, which is context-specific depending on the asset type and deposit source - wire, transfer or on-chain transaction ID string

Withdrawals

GET /withdrawals/requests

const getWithdrawalRequests = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/requests' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/withdrawals/requests', options)
}
withdrawalRequests = make_seed_request('GET', '/withdrawals/requests', {})

Sample Response

{
  "message": [
    {
      "id": 78,
      "withdrawal_account_id": 51,
      "participant_code": "ABCDEF",
      "requestor_participant_code": "ABCDEF",
      "requested_amount": "23",
      "settled_amount": "21",
      "status": "APPROVED",
      "asset": "BTC",
      "account_group": "00SCXM",
      "transaction_id": null,
      "requested_timestamp": 1554395972174,
      "gas_price": null,
      "client_withdrawal_request_id": null,
      "on_chain_status": "PENDING",
      "fee_amount": "0.003163149641603118",
      "withdrawal_fee": "0.08739203222332"
    }
  ],
  "page": 1,
  "total_pages": 1
}

Returns an array of all withdrawal requests created by users as part of your participant.

Query parameters include:

Response:

Parameter Description Type
id The withdrawal request ID number
client_withdrawal_request_id A unique identifier for the withdrawal, generally produced by the Platform on which the trade was executed
Note: this must be unique, per platform, per 24 hour period
string
withdrawal_account_id The ID of the withdrawal account the address belongs to number
asset The asset code for the request, e.g.BTC string
participant_code The participant the request belongs to, e.g.ABCDEF string
requestor_participant_code The participant code of the requestor, e.g.ABCDEF string
account_group The account group the request was made against, e.g.00SCXM for the Seed Digital Commodities Market account group string
requested_amount The initially requested amount, e.g.100.10 string
settled_amount The settled amount. This can be less than or equal to the requested_amount, e.g.99 string or null
transaction_id The on-chain transaction id once the withdrawal has been confirmed string or null
status The current status of the withdrawal request string
requested_timestamp The timestamp for when the withdrawal request was requested timestamp
gas_price The transaction fee payable on the Ethereum network
If the asset is not an ERC-20 token, this field will always be null
string or null
on_chain_status The status of the withdrawal on the blockchain. Could be PENDING or CONFIRMED more detailshere. string
fee_amount The network fee amount for the withdrawal string
withdrawal_fee The withdrawal fee amount for executing the withdrawal string or null

GET /withdrawals/requests/:id

const getWithdrawalRequests = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/requests/78' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/requests/78',
    options
  )
}
withdrawalRequests = make_seed_request('GET', '/withdrawals/requests/78', {})

Sample Response

{
  "message": [
    {
      "id": 78,
      "withdrawal_account_id": 51,
      "participant_code": "ABCDEF",
      "requestor_participant_code": "ABCDEF",
      "requested_amount": "23",
      "settled_amount": "21",
      "status": "APPROVED",
      "asset": "BTC",
      "account_group": "00SCXM",
      "transaction_id": null,
      "requested_timestamp": 1554395972174,
      "gas_price": null,
      "client_withdrawal_request_id": null,
      "on_chain_status": "PENDING",
      "fee_amount": "0.003163149641603118",
      "withdrawal_fee": "0.08739203222332"
    }
  ]
}

Returns a specific withdrawal request associated with your participant or platform.

See GET /withdrawals/requests for response field descriptions.

POST /withdrawals/requests

Sample Request

const postWithdrawalRequest = () => {
  const body = {
    withdrawal_account_id: 123,
    participant_code: "ABCDEF",
    amount: "20",
    asset: "BTC",
    account_group: "00SCXM"
  }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/withdrawals/requests' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/withdrawals/requests`, options)
}
resp = make_seed_request('POST', '/withdrawals/requests', {})

Sample Response

{
  "message": {
    "id": "8e12ca14-a54e-49d5-a67e-286d6c0516c2",
    "withdrawal_account_id": 146,
    "participant_code": "ABCDEF",
    "requestor_participant_code": "ABCDEF",
    "account_group": "00SCXM",
    "requested_amount": "20",
    "settled_amount": null,
    "status": "APPROVED",
    "asset": "BTC",
    "requested_timestamp": 1561996924964,
    "gas_price": null,
    "client_withdrawal_request_id": null,
    "on_chain_status": "PENDING",
    "fee_amount": "0.003163149641603118",
    "withdrawal_fee": "0.08739203222332"
  }
}

Creates new withdrawal requests to be settled. Withdrawal requests created through the API go directly into an APPROVED state. To retrieve withdrawal account IDs use the GET /withdrawals/digital_asset_addresses and GET /withdrawals/fiat_accounts endpoints.

There are 3 ways to submit withdrawal requests:

  1. The first, standard method uses a withdrawal_account_id to choose the location to withdrawal to, which can be for a fiat currency or a digital asset. The account must be in an APPROVED state before submitting withdrawal requests to it.
  2. The second method allows for submitting a digital asset address instead of the withdrawal_account_id. When POSTing an address, Zero Hash will first scan to see if you already have an existing withdrawal_account_id for that destination, and if not, it will create one automatially and provide you the withdrawal_account_id in response. This is not available as standard. Please contact us if you'd like to learn more about this option.
  3. The third method allows for submitting a fiat withdrawal account{} instead of the withdrawal_account_id. When POSTing an account{}, Zero Hash will first scan to see if you already have an existing withdrawal_account_id for that destination, and if not, it will create one automatially and provide you the withdrawal_account_id in response. This is not available as standard. Please contact us if you'd like to learn more about this option.

Note: only one of withdrawal_account_id, address or account{} can be submitted per withdrawal, but Zero Hash will always respond with withdrawal_account_id.

Request body:

Parameter Description Type
client_withdrawal_request_id (optional) A unique identifier for the withdrawal, generally produced by the Platform on which the trade was executed
Note: this must be unique, per platform, per 24 hour period
string
withdrawal_account_id (conditional) The whitelisted withdrawal account or address to withdraw funds to.
Required when submitting a request using Method #1 (USD withdrawal, where account detail is not being submitted).
string
address (conditional) The digital asset address to withdraw funds to, which may or may not already exist in Zero Hash as an approved withdrawal_account_id.
Required when submitting a request using Method #2 (Digital asset withdrawal).
string
account{} (conditional) The fiat account to withdraw funds to, which may or may not already exist in Zero Hash as an approved withdrawal_account_id.
Required when submitting a request using method #3 (USD withdrawal, where withdrawal account id is not being submitted).
object
participant_code (required) The participant code against whom the withdrawal will be made string
account_group (required) The account group to withdraw against, e.g.00SCXM for the Seed Digital Commodities Market account group string
account_label (optional) The account label associated with the account string
amount (required) The amount to withdraw string
asset (required) The asset code for the withdrawal request, e.g.BTC string
destination_tag (conditional) For tag-based assets, please provide the memo id/destination tag value in this field. For more information on when and how to populate this field, please refer here string
no_destination_tag (conditional) The value should be true or false. For more information on when and how to populate this field, please refer here boolean

Account field shape:

Parameter Description Type
name The nickname given to the withdrawal account
Note: Zero Hash will append the last 4 digits of the account number to this when saving it
string
limit The limit applied to the account on a per-withdrawal basis number
type The type of account:REAL_TIME_FIAT for 24/7 USD withdrawals, DOMESTIC_FIAT for US wires or INTERNATIONAL_FIAT for international wires string
beneficiary_name The owner of the account at the withdrawal destination string
account_number The unique IBAN or account number for the final withdrawal destination string
bank_name The name of the destination financial institution string
routing_number For US wires, the ABA routing number identifies the destination financial institution string
swift_code SWIFT code, if applicable string
recipient_instructions Any additional instructions on the account string
intermediary_
bank_name
Intermediary bank name, if applicable string
intermediary_
bank_code_type
Intermediary bank identifier code type, if applicable
Options include SWIFT
string
intermediary_
bank_code
Intermediary bank identifier that corresponds tointermediary_bank_code_type, if applicable string
intermediary_
bank_account_number
Intermediary bank IBAN or account number, if applicable string
correspondent_
bank_name
Correspondent bank name, if applicable string
correspondent_
bank_code_type
Correspondent bank identifier code type, if applicable
Options include SWIFT
string
correspondent_
bank_code
Correspondent bank identifier that corresponds tocorrespondent_bank_code_type, if applicable string
correspondent_
bank_account_number
Correspondent bank IBAN or account number, if applicable string

DELETE /withdrawals/requests/:id

const deleteWithdrawalRequest = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'DELETE' + '/withdrawals/requests' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    json: true
  }
  const withdrawalRequestId = 1

  return request.delete(
    `https://api.zerohash.com/withdrawals/requests/${withdrawalRequestId}`,
    options
  )
}
resp = make_seed_request('DELETE', '/withdrawals/requests/1', {})

Sample Response

{
  "message": {
    "id": 1,
    "withdrawal_account_id": 146,
    "participant_code": "ABCDEF",
    "requestor_participant_code": "ABCDEF",
    "requested_amount": "20",
    "account_group": "00SCXM",
    "settled_amount": null,
    "status": "REJECTED",
    "asset": "BTC",
    "requested_timestamp": 1561996924964,
    "gas_price": null,
    "client_withdrawal_request_id": null,
    "on_chan_status": null,
    "fee_amount": "0.003163149641603118"
  }
}

Rejects a pending withdrawal request.

GET /withdrawals/digital_asset_addresses

const getWithdrawalAddresses = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/digital_asset_addresses' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/withdrawals/digital_asset_addresses?participant_code=YOUR_PARTICIPANT_CODE`,
    options
  )
}
withdrawalAddresses = make_seed_request('GET', '/withdrawals/digital_asset_addresses?participant_code=YOUR_PARTICIPANT_CODE', {})

Sample Response

{
  "message": [
    {
      "withdrawal_account_id": 123,
      "name": "Fund ABC Wallet",
      "address": "M9zjMhjaPfwaeyeH2SY6aWyGqdTS9feg8Z",
      "status": "APPROVED",
      "limit": 1000,
      "asset": "LTC",
      "last_update": 1554395972174,
      "submitted_address": "33nb3pKcSZ69rUNNvZYkksisWvrzCmi3Jt",
      "participant_code": "ABCDEF"
    }
  ],
  "page": 1,
  "total_pages": 1
}

Returns an array of all withdrawal addresses created by users as part of your participant.

Query parameters include:

Response:

Parameter Description Type
withdrawal_account_id The ID of the withdrawal account the address belongs to number
name The nickname the address was given when it was created string
address The blockchain address string
status The approval status of the address string
asset The asset code for the specific account, e.g.BTC string
limit The limit applied to the account on a per-withdrawal basis number
last_update Timestamp for when the withdrawal address last update timestamp
submitted_address This is the original value for an address submitted by you, that was converted into a newer format supported by Zero Hash - this will be null if no conversion is necessary string
participant_code The participant the request belongs to, e.g.ABCDEF string

GET /withdrawals/digital_asset_addresses/:id

const getWithdrawalAddresses = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/digital_asset_addresses/:id' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/digital_asset_addresses/:id',
    options
  )
}
withdrawalAddresses = make_seed_request('GET', '/withdrawals/digital_asset_addresses/:id', {})

Sample Response

{
  "message": {
    "withdrawal_account_id": 123,
    "name": "Fund ABC Wallet",
    "address": "M9zjMhjaPfwaeyeH2SY6aWyGqdTS9feg8Z",
    "status": "APPROVED",
    "limit": 1000,
    "asset": "LTC",
    "last_update": 1554395972174,
    "submitted_address": "33nb3pKcSZ69rUNNvZYkksisWvrzCmi3Jt",
    "participant_code": "ABCDEF"
  }
}

Returns a specific crypto withdrawal account associated with your participant or platform.

See GET /withdrawals/digital_asset_addresses for response field descriptions.

GET /withdrawals/fiat_accounts

const getFiatWithdrawalAccounts = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/fiat_accounts' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/fiat_accounts',
    options
  )
}
zeroHashAccounts = make_seed_request('GET', '/withdrawals/fiat_accounts', {})

Sample Response

{
  "message": [
    {
      "withdrawal_account_id": 286,
      "name": "Primary (1234)",
      "status": "PENDING_CREATION",
      "asset": "USD",
      "limit": 750000,
      "type": "DOMESTIC_FIAT",
      "beneficiary_name": "John Doe",
      "account_number": "1231234",
      "bank_name": "BMO Harris",
      "routing_number": "07102343",
      "swift_code": null,
      "recipient_instructions": null,
      "intermediary_bank_name": null,
      "intermediary_bank_code_type": null,
      "intermediary_bank_code": null,
      "intermediary_bank_account_number": null,
      "correspondent_bank_name": null,
      "correspondent_bank_code_type": null,
      "correspondent_bank_code": null,
      "correspondent_bank_account_number": null,
      "last_update": 1571175076187,
      "participant_code": "ABCDEF"
    },
    {
      ...
    }
  ],
  "page": 1,
  "total_pages": 1
}

Retrieves a list of all whitelisted fiat withdrawal accounts.

Parameter Description Type
withdrawal_account_id The ID of the withdrawal account number
name The nickname given to the withdrawal account string
status The approval status of the withdrawal account string
asset The asset code for the specific withdrawal account, e.g.USD string
limit The limit applied to the account on a per-withdrawal basis number
type The type of account:REAL_TIME_FIAT for 24/7 USD withdrawals, DOMESTIC_FIAT for US wires or INTERNATIONAL_FIAT for international wires string
beneficiary_name The owner of the account at the withdrawal destination string
account_number The unique IBAN or account number for the final withdrawal destination string
bank_name The name of the destination financial institution string
routing_number For US wires, the ABA routing number identifies the destination financial institution string
swift_code SWIFT code, if applicable string
recipient_instructions Any additional instructions on the account string
intermediary_
bank_name
Intermediary bank name, if applicable string
intermediary_
bank_code_type
Intermediary bank identifier code type, if applicable
Options include SWIFT
string
intermediary_
bank_code
Intermediary bank identifier that corresponds tointermediary_bank_code_type, if applicable string
intermediary_
bank_account_number
Intermediary bank IBAN or account number, if applicable string
correspondent_
bank_name
Correspondent bank name, if applicable string
correspondent_
bank_code_type
Correspondent bank identifier code type, if applicable
Options include SWIFT
string
correspondent_
bank_code
Correspondent bank identifier that corresponds tocorrespondent_bank_code_type, if applicable string
correspondent_
bank_account_number
Correspondent bank IBAN or account number, if applicable string
last_update Timestamp for when the withdrawal address last update timestamp
submitted_address This is the original value for an address submitted by you, that was converted into a newer format supported by Zero Hash - this will be null if no conversion is necessary string
participant_code The participant the request belongs to, e.g.ABCDEF string

GET /withdrawals/fiat_accounts/:id

const getFiatWithdrawalAccounts = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/fiat_accounts/:id' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/fiat_accounts/:id',
    options
  )
}
zeroHashAccounts = make_seed_request('GET', '/withdrawals/fiat_accounts/:id', {})

Sample Response

{
  "message": {
    "withdrawal_account_id": 286,
    "name": "Primary (1234)",
    "status": "PENDING_CREATION",
    "asset": "USD",
    "limit": 750000,
    "type": "DOMESTIC_FIAT",
    "beneficiary_name": "John Doe",
    "account_number": "1231234",
    "bank_name": "BMO Harris",
    "routing_number": "07102343",
    "swift_code": null,
    "recipient_instructions": null,
    "intermediary_bank_name": null,
    "intermediary_bank_code_type": null,
    "intermediary_bank_code": null,
    "intermediary_bank_account_number": null,
    "correspondent_bank_name": null,
    "correspondent_bank_code_type": null,
    "correspondent_bank_code": null,
    "correspondent_bank_account_number": null,
    "last_update": 1571175076187,
    "participant_code": "ABCDEF"
  }
}

Returns a specific fiat withdrawal account associated with your participant or platform.

See GET /withdrawals/fiat_accounts for response field descriptions.

Withdrawal Request Status

Status Description
PENDING The request has been created and is pending approval from users
APPROVED The request is approved but not settled
REJECTED The request is rejected and in a terminal state
SETTLED The request was settled and sent for confirmation onchain if a digital asset

Withdrawal Account Status

Status Description
PENDING_CREATION Account is awaiting approval
APPROVED The account is approved for use
REJECTED The account was rejected for use
DELETED The account was deleted, removing it from view in the portal
PENDING_CHANGE DEPRECATED The address is awaiting a change approval for either unlocking or changing the limit

GET /withdrawals/locked_network_fee

const getLockedNetworkFee = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/locked_network_fee' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/locked_network_fee?participant_code=CUST01&account_group=PLAT01&amount=.023&destination_tag=&asset=ETH&withdrawal_address=0x48b358a64eb0cDfeD6f369B7610Be84cBC6D3Ad7',
    options
  )
}
res = make_seed_request('GET', '/withdrawals/locked_network_fee?participant_code=CUST01&account_group=PLAT01&amount=.023&destination_tag=&asset=ETH&withdrawal_address=0x48b358a64eb0cDfeD6f369B7610Be84cBC6D3Ad7', {})

Sample Response

{
  "message": {
    "withdrawal_quote_id": "b30739eb-173d-45f9-a03e-281e7c4db22c",
    "withdrawal_account_id": "",
    "withdrawal_address": "0x48b358a64eb0cDfeD6f369B7610Be84cBC6D3Ad7",
    "destination_tag": "",
    "amount": "0.023",
    "amount_notional": "30.15",
    "max_amount": false,
    "network_fee": "0.000546004133871",
    "network_fee_notional": "0.72",
    "net_withdrawal_quantity": "0.022453995866129",
    "net_withdrawal_notional": "29.44",
    "asset": "ETH",
    "participant_code": "CUST01",
    "account_group": "PLAT01",
    "account_label": "general",
    "withdrawal_fee": "0.08739203222332"
  }
}

GET /withdrawals/locked_network_fee and POST /withdrawals/execute can be used to create a withdrawal locked network fee quote and execute it on-chain. To use these endpoints a Platform needs to be configured for netted withdrawals, which is a new withdrawal fee payor setting.

All withdrawals processed using these endpoints will have the locked network fee deducted from the withdrawal amount that is actually processed on-chain. Additionally all network fees are quoted as the asset being requested to be withdrawn. Network fees are locked for 30 seconds, after this time if a Platform tries to execute the locked network fee quote an error response will be returned.

Query parameters include:

For more details on how the endpoints function see here.

Response:

Parameter Description Type
account_group The account_group for the source account that the withdrawal was processed from. string
account_label The account_label for the source account that the withdrawal was processed from. string
amount The requested withdrawal amount. string
amount_notional The requested withdrawal amount notional value. string
asset The asset that has been withdrawn. string
destination_tag The destination tag for the withdrawal. string
no_destination_tag If a destination tag is specified for the withdrawal. boolean
max_amount The max amount flag. string
net_withdrawal_notional amount minus network_fee notional value. string
net_withdrawal_quantity amount minus network_fee, in terms of quantity. string
network_fee The network fee quantity being deducted from the requested withdrawal amount. string
network_fee_notional The network fee notional value. string
participant_code The participant that requested the withdrawal. string
withdrawal_address The on-chain address that received the crypto asset. string
withdrawal_quote_id The unique ID that is associated with the locked network fee. string
withdrawal_account_id The withdrawal account ID that is associated with the destination address. string
withdrawal_fee The withdrawal fee amount to be charged for executing the withdrawal. string

POST /withdrawals/execute

const postWithdrawalExecuteRequest = () => {
  const body = {
    withdrawal_quote_id: "b30739eb-173d-45f9-a03e-281e7c4db22c",
    client_withdrawal_request_id: "5dc1eb85-e8d6-46dd-bd19-5d72a0f19d50"
  }

  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/withdrawals/execute' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/withdrawals/execute`, options)
}
resp = make_seed_request('POST', '/withdrawals/execute', {})

Sample Response

{
  "message": {
    "request_id": "c9d19acc-96bc-4c29-9708-50912fd174cf",
    "withdrawal_quote_id": "b30739eb-173d-45f9-a03e-281e7c4db22c",
    "withdrawal_request_id": "58672",
    "participant_code": "CUST01",
    "account_group": "PLAT01",
    "account_label": "general",
    "withdrawal_address": "0x48b358a64eb0cDfeD6f369B7610Be84cBC6D3Ad7",
    "destination_tag": "",
    "asset": "ETH",
    "amount": "0.023",
    "amount_notional": "30.15",
    "network_fee": "0.000546004133871",
    "network_fee_notional": "0.72",
    "on_chain_status": "PENDING",
    "withdrawal_fee": "0.08739203222332",
    "client_withdrawal_request_id": "5dc1eb85-e8d6-46dd-bd19-5d72a0f19d50"
  }
}

This endpoint is used to execute a locked network fee quote. This will tell Zero Hash to process the withdrawal on-chain.

Request body:

Parameter Description Type
withdrawal_quote_id The unique ID that is associated with the locked network fee. This will be required to execute the withdrawal. string
client_withdrawal_request_id (optional) A unique identifier for the withdrawal, generally produced by the Platform on which the withdrawal was executed.
Note: this must be unique, per platform, per 24 hour period
string

Response:

Parameter Description Type
account_group The account_group for the source account that the withdrawal was processed from. string
account_label The account_label for the source account that the withdrawal was processed from. string
amount The requested withdrawal amount. string
amount_notional The requested withdrawal amount notional value. string
asset The asset that has been withdrawn. string
destination_tag The destination tag for the withdrawal. string
no_destination_tag If a destination tag is specified for the withdrawal. boolean
network_fee The network fee quantity being deducted from the requested withdrawal amount. string
network_fee_notional The network fee notional value. string
on_chain_status The status of the withdrawal on the blockchain. Could be PENDING or CONFIRMED more details here. string
participant_code The participant that requested the withdrawal. string
request_id The unique Id that is associated with this http request. string
withdrawal_address The on-chain address that received the crypto asset. string
withdrawal_quote_id The unique ID that is associated with the locked network fee. string
withdrawal_request_id The unique Id that is associated with this withdrawal request. string
withdrawal_fee The withdrawal fee amount charged for executing the withdrawal. string
client_withdrawal_request_id A unique identifier for the withdrawal, generally produced by the Platform on which the withdrawal was executed. string

GET /withdrawals/estimate_network_fee

const getEstimateNetworkFee = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/estimate_network_fee' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/estimate_network_fee',
    options
  )
}
estimateNetworkFee = make_seed_request('GET', '/withdrawals/estimate_network_fee', {})

Sample Response

{
  "message": {
    "underlying": "BTC",
    "quoted_currency": "USD",
    "network_fee_asset": "BTC",
    "network_fee_quantity": "0.000172825",
    "total_notional": "3.3733791241663290125"
  }
}

Retrive the estimate network fee. The following query parameters are required:

Optional query parameters include:

Parameter Description Type
underlying Theasset being valued string
quoted_currency Theasset in which the underlying is being valued string
network_fee_asset The network fee asset string
network_fee_quantity The quantity of network fee string
total_notional fee_amount x (index price for fee_currency quoted in quoted_currency) string

GET /withdrawals/validate_address

const getValidateAddress = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/withdrawals/validate_address?asset=BTC&address=1A1zP1eP5QGefi2DMPTfTL5SLmv7DivfNa' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    'https://api.zerohash.com/withdrawals/validate_address?asset=BTC&address=1A1zP1eP5QGefi2DMPTfTL5SLmv7DivfNa',
    options
  )
}
resp = make_seed_request('GET', '/withdrawals/validate_address?asset=BTC&address=1A1zP1eP5QGefi2DMPTfTL5SLmv7DivfNa', {})

Sample Response

{
  "message": "the address is valid"
}

The following query parameters are required:

Optional query parameters include:

Parameter Description Type
asset The asset code for the address being validated, e.g.XRP string
address The digital wallet address string
destination_tag For tag-based assets, please provide the memo id/destination tag value in this field. For more information on when and how to populate this field, please referhere string

Transfers

GET /transfers

const getTransfers = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/transfers' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/transfers', options)
}
resp = make_seed_request('GET', '/transfers', {})

Sample Response

{
  "message": [
    {
      "id": 39,
      "client_transfer_id": "5fed7a1d-1cd3-4be7-9d63-dd67805d441d",
      "created_at": "2020-09-01T20:53:31.653Z",
      "updated_at": "2020-09-01T20:53:31.653Z",
      "status": "settled",
      "from_participant_code": "ABC123",
      "from_account_group": "UNALLOCATED",
      "from_account_label": "general",
      "to_participant_code": "DEMO01",
      "to_account_group": null,
      "to_account_label": "general",
      "asset": "BTC",
      "amount": "20.00",
      "movement_id": "1902a0eb-a925-4d08-bcad-ea8ed4696a24",
      "admin_transfer": true
    },
    {
      "id": 38,
      "client_transfer_id": null,
      "created_at": "2020-09-01T20:53:31.406Z",
      "updated_at": "2020-09-01T20:53:31.406Z",
      "status": "approved",
      "from_participant_code": "ABC123",
      "from_account_group": "UNALLOCATED",
      "from_account_label": "general",
      "to_participant_code": "ABC123",
      "to_account_group": "XYZ456",
      "to_account_label": "general",
      "asset": "USD",
      "amount": "100.00",
      "movement_id": null,
      "admin_transfer": false
    }
  ],
  "page": 1,
  "total_pages": 1
}

Returns an array of all transfers requests made to or from your participant, or to or from your platform's account group.

Query parameters include:

Response:

Parameter Description Type
id The transfer request ID number
client_transfer_id Optional unique identifier for the transfer.
Note: this must be unique, per platform, per 72 hour period
string
created_at The timestamp when the transfer request was requested timestamp
updated_at The timestamp when the transfer request was last updated timestamp
status The current status of the transfer request string
from_participant_code The source participant for the transfer to, e.g.ABCDEF string
from_account_group The source account group for the transfer, e.g.ABCDEF
Note: this may be null if the requesting participant is not authorized to see the source account group
string
from_account_label The source account label for the transfer, e.g.general string
to_participant_code The destination participant for the transfer, e.g.ABCDEF string
to_account_group The destination account group for the transfer, e.g.ABCDEF
Note: this may be null if the requesting participant is not authorized to see the destination account group
string
to_account_label The destination account label for the transfer, e.g.general string
asset The asset code for the request, e.g.USD string
amount The amount or quantity transferred, e.g.100 string
movement_id A unique ID for the specific account update
Note: this will be null until the transfer updates to settled
string

Transfer Request Status

Status Description
pending The request has been created and is pending approval from users
approved The request is approved but not settled
canceled The request is canceled and in a terminal state
rejected The request is rejected and in a terminal state
settled The request was settled and is in a terminal state

GET /transfers/:id

const getTransfers = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/transfers/39' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/transfers/39', options)
}
resp = make_seed_request('GET', '/withdrawals/requests/39', {})

Sample Response

{
  "message": {
    "id": 39,
    "client_transfer_id": null,
    "created_at": "2020-09-01T20:53:31.653Z",
    "updated_at": "2020-09-01T20:53:31.653Z",
    "status": "settled",
    "from_participant_code": "ABC123",
    "from_account_group": "UNALLOCATED",
    "to_participant_code": "DEMO01",
    "to_account_group": null,
    "asset": "BTC",
    "amount": "20.00",
    "movement_id": "1902a0eb-a925-4d08-bcad-ea8ed4696a24",
    "admin_transfer": true
  }
}

Returns single transfer made to or from your participant, or to or from your platform's account group.

See GET /transfers for response field descriptions.

POST /transfers

const postTransfers = () => {
  const body = {
    from_participant_code: "ABC123",
    from_account_group: "UNALLOCATED",
    to_participant_code: "DEMO01",
    to_account_group: "UNALLOCATED",
    asset: "USD",
    amount: "1"
  }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/transfers' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post('https://api.zerohash.com/transfers', options)
}
resp = make_seed_request('POST', '/transfers', {})

Creates new transfer request. Note: you can only submit transfers between your own accounts. To submit transfers on behalf of others, you need the submits_platform_transfers_for relationship. Transfer requests created through the API go directly into an APPROVED state.

Request body:

Parameter Description Type
client_transfer_id Optional unique identifier for the transfer.
Note: this must be unique, per platform, per 72 hour period
string
from_participant_code The source participant for the transfer to, e.g.ABCDEF string
from_account_group The source account group for the transfer, e.g.ABCDEF string
from_account_label The source account label for the transfer, e.g.general string
to_participant_code The destination participant for the transfer, e.g.ABCDEF string
to_account_group The destination account group for the transfer, e.g.ABCDEF string
to_account_label The destination account label for the transfer, e.g.general string
asset The asset code for the request, e.g.USD string
amount The amount or quantity transferred, e.g.100 string
client_transfer_id string

Sample Response

{
  "message": [
    {
      "id": 39,
      "client_transfer_id": null,
      "created_at": "2020-09-01T20:53:31.653Z",
      "updated_at": "2020-09-01T20:53:31.653Z",
      "status": "settled",
      "from_participant_code": "ABC123",
      "from_account_group": "UNALLOCATED",
      "from_account_label": "general",
      "to_participant_code": "DEMO01",
      "to_account_group": "UNALLOCATED",
      "to_account_label": "general",
      "asset": "BTC",
      "amount": "20.00",
      "movement_id": "1902a0eb-a925-4d08-bcad-ea8ed4696a24",
      "admin_transfer": true
    }
  ]
}

See GET /transfers for response field descriptions.

Participants

GET /participants

const getParticipants = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/participants' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/participants', options)
}
resp = make_seed_request('GET', '/participants', {})

Sample Response

{
  "message": [
    {
      "participant_code": "123XYZ",
      "custodian_participant_code": "CUST01",
      "participant_name": "Trading Firm LLC",
      "credit_limit": "50000",
      "status": "approved",
      "email": "[email protected]",
      "reason_code": "compliance_issue",
      "updated_at": 1680643465352
    },
    {
      "participant_code": "ABC456",
      "participant_name": "Lots of Capital LLC",
      "credit_limit": null,
      "status": "approved",
      "email": null,
      "reason_code": null,
      "updated_at": 1680643465352
    }
  ],
  "page": 1,
  "total_pages": 1,
  "page_size": 50,
  "count": 2
}

Returns a list of all participants to which you are associated.

Query parameters include:

Response parameters listed below

Parameter Description Type
participant_code Unique participant code string
custodian_participant_code Unique participant code of the associated custodian string
participant_name Name of participant string
credit_limit Client-determined credit limit. used purely for reporting purposes at this time string
email Email associated with the participant. If the participant is institutional, this field will be null string
status The current status of the participant. read more about statuseshere string
reason_code (optional) if the participant has changed statuses, the reason code will show compliance_issue, user_request, or risk_cleared string
updated_at Last update timestamp number

GET /participants/:email

const getParticipants = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/participants/{email}' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get('https://api.zerohash.com/participants/{email}', options)
}
resp = make_seed_request('GET', '/participants/{email}', {})

Sample Response

{
  "message": {
    "participant_code": "123XYZ",
    "email": "[email protected]"
  }
}

Returns a participant to which you are associated by an email. As an alternative to using the email query parameter described above within the GET /participants endpoint, this is a lighter-weight and dedicated endpoint to filter participants by email.

Query parameters include:

Response parameters listed below

Parameter Description Type
participant_code Unique participant code string
email Email associated with the participant string

POST /participants/customers/new

const postParticipantCustomer = () => {
  const body = {
    first_name: 'John',
    last_name: 'Smith',
    email: '[email protected]',
    phone_number: '15557778888',
    address_one: '1 Main St.',
    address_two: 'Suite 1000',
    city: 'Chicago',
    state: 'IL',
    zip: '12345',
    country: 'United States',
    date_of_birth: '1985-09-02',
    citizenship: 'United States',
    tax_id: '123456789',
    risk_rating: 'low',
    kyc: 'pass',
    kyc_timestamp: 1603378501285,
    sanction_screening: 'pass',
    sanction_screening_timestamp: 1603378501285,
    signed_timestamp: 1603378501286,
    metadata: {},
    signed_agreements: [
      {
        type: "fund_auto_convert",
        region: "worldwide",
        signed_timestamp: 1603378501286
      }
    ]
  }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/participants/customers/new' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/participants/customers/new`,
    options
  )
}
resp = make_seed_request('POST', '/participants/customers/new', {})

Sample Request

{
  "first_name": "John",
  "last_name": "Smith",
  "email": "[email protected]",
  "phone_number": "15557778888",
  "address_one": "1 Main St.",
  "address_two": "Suite 1000",
  "city": "Chicago",
  "state": "IL",
  "zip": "12345",
  "country": "United States",
  "date_of_birth": "1985-09-02",
  "citizenship": "United States",
  "tax_id": "123456789",
  "risk_rating": "low",
  "kyc": "pass",
  "kyc_timestamp": 1603378501285,
  "sanction_screening": "pass",
  "sanction_screening_timestamp": 1603378501285,
  "signed_timestamp": 1603378501286,
  "metadata": {},
  "signed_agreements": [
    {
      "type": "fund_auto_convert",
      "region": "worldwide",
      "signed_timestamp": 1603378501286
    }
  ]
}

Sample Response

{
  "message": {
    "first_name": "John",
    "last_name": "Smith",
    "email": "[email protected]",
    "address_one": "1 Main St.",
    "address_two": "Suite 1000",
    "country": "United States",
    "state": "IL",
    "city": "Chicago",
    "zip": "12345",
    "date_of_birth": "1985-09-02",
    "citizenship": "United States",
    "tax_id": "123456789",
    "id_number_type": null,
    "id_number": null,
    "non_us_other_type": null,
    "id_issuing_authority": null,
    "risk_rating": "low",
    "kyc": "pass",
    "kyc_timestamp": 1603378501285,
    "sanction_screening": "pass",
    "sanction_screening_timestamp": 1603378501285,
    "signed_timestamp": 1603378501286,
    "metadata": {},
    "employment_status": "unknown",
    "industry": "unknown",
    "source_of_funds": "unknown",
    "platform_code": "ABC123",
    "participant_code": "XYZ456",
    "signed_agreements": [
      {
        "type": "fund_auto_convert",
        "region": "worldwide",
        "signed_timestamp": 1603378501286
      }
    ]
  }
}

Submits a customer to your platform.

Optional request header include:

Parameter Description Type
X-REQUEST-ID Include a X-REQUEST-ID in the request header to ensure idempotent creation requests UUID

Request body:

Parameter Description Type
first_name The first name of the customer, required string
last_name The last name of the customer, required string
email Customer email address, required
Note: Zero Hash will validate that the email is a correctly formatted email, and that the value is unique per-platform
string
phone_number The phone number of the participant, conditionally required string
address_one First line for the customer's address, required
Note: PO Box addresses are not accepted
string
address_two Second line for the customer’s address, e.g., apartment, unit, building etc., if applicable, optional string
city The city customer resides in, required string
state The ISO code of the state the customer resides in (e.g. NY for New York), required if country is "United States"
Note: must be one of the supported states
ISO code string
zip Zip code of the customer in the format<5digits> or <5digits>-<4digits>, e.g. 77777 or 77777-7777, required if country is "United States" string
country The country the customer resides in, required
Note: must be one of the supported countries
string
date_of_birth Date of birth of the customer in the formatYYYY-MM-DD, required string
citizenship The citizenship of the participant, e.g. "United States", required. See required validations string
tax_id The national ID of the participant, e.g. a social security number. Required if citizenship=United States. See required validations string
id_number_type The type of ID document provided, required ifcitizenship is not United States
Note: must be one of the supported ID types ID types
string
id_number The ID number for the customer, required ifcitizenship is not United States string
non_us_other_type This is required if you selectnon_us_other for the id_number_type - a freeform string to describe the ID type string
id_issuing_authority The issuing authority for the ID, if available, optional string
risk_rating The risk-rating associated with the customer, conditionally required for certain platforms string (low, medium, high)
kyc Whether the participant passed or failed KYC by vendor, required string (pass, fail)
kyc_timestamp The UNIX timestamp (in milliseconds) when KYC was passed, required timestamp
sanction_screening Whether the participant passed sanctions checks, required string (pass, fail)
sanction_screening_timestamp The UNIX timestamp (in milliseconds) when sanction screening was passed, required timestamp
idv Whether the participant passed or failed ID verification, optional string (pass, fail)
liveness_check Whether the participant passed or failed a liveness check, optional string (pass, fail)
signed_timestamp The UNIX timestamp (in milliseconds) when the Zero Hash Services Agreement was accepted by the participant timestamp
metadata Can be used to submit any additional unstructured metadata object
signed_agreements Can be used to submit any additional agreements the participant has signed array

Additional fields in response:

Parameter Description Type
platform_code The unique identifier for the Platform onto which the customer has been created string
participant_code The Zero Hash identifier for the new customer
Note: this value is key to enable you to submit trades and check account balances for this customer
string
employment_status Status of the participant’s employment. Likely unknown, unless explicitly required by Zero Hash compliance team string
industry The industry the participant associates with. Likely unknown, unless explicitly required by Zero Hash compliance team string
source_of_funds Origin of funds used for transacting. Likely unknown, unless explicitly required by Zero Hash compliance team string

Possible Responses:

Status Code Description
200 OK The customer was successfully created. Note: the request is idempotent only IF theX-REQUEST-ID and payload is the same as previously submitted
400 Bad Request The request is invalid, OR the payload is the*same* as a previously submitted request, but the X-REQUEST-ID is different, OR, the X-REQUEST-ID is the same as a previously submitted request, but the payload is different

Supported Regions

Zero Hash operates in a wide range of supported regions. For more information, please contact us to learn more. Please refer to our disclosures page for more information on regional regulation. Specifically, you can see a list of disclosures pertaining to certain states in which Zero Hash has licensing here.

ID Types

Valid options are:

Citizenship and Tax ID required validations

citizenship is always a required field, and there are additional validations done on this field.

Citizenship Validations
"United States" tax_id (also known as SSN in the United States) required
  • If tax_id begins with '9', therefore indicating an ITIN, id_number and id_number_type are also required, as ITINs are purely for tax paying purposes rather than identity verification.
  • The submission will fail if tax_id
    • Is not submitted
    • Is not 9 digits long
    • Begins with 000 or 666
    • Is consecutive numbers (e.g. 000000000)
Anything other than "United States" id_number and id_number_type are required; tax_id is not required

Industry

Valid options are:

PATCH /participants/customers/:participantCode

const patchParticipantCustomer = () => {
  const body = {
    first_name: 'John',
    last_name: 'Smith',
    address_one: '1 Main St.',
    address_two: 'Suite 1000',
    country: 'United States',
    state: 'IL',
    city: 'Chicago',
    zip: '12345',
    email: '[email protected]',
    id_number_type: 'non_us_passport',
    id_number: '123456789',
    employment_status: 'full_time',
    industry: 'financial_services',
    source_of_funds: 'salary',
    platform_updated_at: 1603378501286,
    signed_agreements: [
      {
        type: "fund_auto_convert",
        region: "worldwide",
        signed_timestamp: 1603378501286
      }
    ]
  };
  const timestamp = Math.round(Date.now() / 1000);
  const payload = timestamp + 'PATCH' + '/participants/customers/XXXXXX' + JSON.stringify(
    body);
  const decodedSecret = Buffer.from(apiSecret, 'base64');
  const hmac = crypto.createHmac('sha256', decodedSecret);
  const signedPayload = hmac.update(payload).digest('base64');

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  };
  const options = {
    headers,
    body,
    json: true
  };

  return request.patch(
    `https://api.zerohash.com/participants/customers/XXXXXX`,
    options
  );
};
resp = make_seed_request('PATCH', '/participants/customers/XXXXXX', {...})

Sample Request

{
  "first_name": "John",
  "last_name": "Smith",
  "address_one": "1 Main St.",
  "address_two": "Suite 1000",
  "country": "United States",
  "state": "IL",
  "city": "Chicago",
  "zip": "12345",
  "email": "[email protected]",
  "id_number_type": "non_us_passport",
  "id_number": "123456789",
  "employment_status": "full_time",
  "industry": "financial_services",
  "source_of_funds": "salary",
  "platform_updated_at": 1603378501286,
  "signed_agreements": [
    {
      "type": "fund_auto_convert",
      "region": "worldwide",
      "signed_timestamp": 1603378501286
    }
  ]
}

Sample Response

{
  "message": {
    "first_name": "John",
    "last_name": "Smith",
    "address_one": "1 Main St.",
    "address_two": "Suite 1000",
    "country": "United States",
    "state": "IL",
    "city": "Chicago",
    "zip": "12345",
    "email": "[email protected]",
    "date_of_birth": "1983-08-25",
    "id_number_type": "non_us_passport",
    "id_number": "123456789",
    "non_us_other_type": "",
    "id_issuing_authority": "",
    "signed_timestamp": 1603378501287,
    "risk_rating": "",
    "platform_code": "ABC123",
    "participant_code": "XYZ456",
    "employment_status": "full_time",
    "industry": "financial_services",
    "source_of_funds": "salary",
    "platform_updated_at": 1603378501286,
    "signed_agreements": [
      {
        "type": "fund_auto_convert",
        "region": "worldwide",
        "signed_timestamp": 1603378501286
      }
    ]
  }
}

This endpoint enables you to update information that’s been validated with your customers. When making certain updates, groups of data must be sent together. If the data is not represented below, it’s not updatable. You can update more than one group of data at one time.

Request body:

Type of update Parameter Description Type
platform_updated_at The UNIX timestamp in milliseconds of when your customer updated their information with you and you approved that update. Only one timestamp should be sent per call (i.e. if you update name and address at the same time, there should be one timestamp, not one timestamp for name and one timestamp for address) number
Name (e.g. customer gets married and changes their last name)
first_name The first name of the customer, required string
last_name The last name of the customer, required string
Address (e.g. customer moves)
address_one First line for the customer's address, required
Note: PO Box addresses are not accepted
string
address_two Second line for the customer’s address, e.g., apartment, unit, building etc., if applicable, optional string
country The country the customer resides in, required
Note: must be one of the supported countries
string
state The ISO code of the state the customer resides in (e.g. NY for New York), required if country is "United States"
Note: must be one of the supported states
ISO code string
city The city customer resides in, required string
zip Zip code of the customer in the format<5digits> or <5digits>-<4digits>, e.g. 77777 or 77777-7777, required if country is "United States" string
Email (e.g. customer changes from a work to a personal email)
email Customer email address, required
Note: Zero Hash will validate that the email is a correctly formatted email, and that the value is unique per-platform
string
Identification (e.g. customer updates their ID on file with you)
id_number_type The type of ID document provided, required
Note: must be one of the supported ID types
string
id_number The ID number of the customer, required string
Citizen records (only available where entries are currently blank)
citizenship If the participant does not have a defined citizenship, this can be added, one-time. See required validations string
tax_id If the participant was created, but now requires a tax_id, this can be added, one-time. See required validations string
Contact information
phone_number Mobile phone number of the participant string
Enhanced due diligence (EDD) information
employment_status Status of the participant’s employment. Valid values include: full_time, part_time, self_employed, unemployed, retired, student
industry The industry the participant associates with. See valid industry options. string
source_of_funds Origin of funds used for transacting. Valid values include: salary, savings, pension_retirement, inheritance, investment, loan, gift , other string
Signed Agreements
signed_agreements Update complimentary agreements the participant has signed after its creation array

Additional fields in response:

Parameter Description Type
platform_code The unique identifier for the Platform onto which the customer has been created string
participant_code The Zero Hash identifier for the new customer
Note: this value is key to enable you to submit trades and check account balances for this customer
string
platform_updated_at The timestamp of when a customer updated their information with your platform number

Possible Responses:

Status Code Description
200 OK The customer was successfully created. Note: the request is idempotent only IF theX-REQUEST-ID and payload is the same as previously submitted
400 Bad Request The request is invalid, OR the payload is the*same* as a previously submitted request, but the X-REQUEST-ID is different, OR, the X-REQUEST-ID is the same as a previously submitted request, but the payload is different

POST /participants/customers/:participantCode/lock

const postParticipantCustomerLock = () => {
  const body = {
    reason_code: "compliance_issue",
    notes: "confirmed fraud"
  }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/participants/customers/XXXXXX/lock' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/participants/customers/XXXXXX/lock`,
    options
  )
}
resp = make_seed_request('POST', '/participants/customers/XXXXXX/lock', {...})

Sample Request

{
  "reason_code": "compliance_issue",
  "notes": "confirmed fraud"
}

Sample Response

OK

When platforms terminate a customer, they may alert Zero Hash through this endpoint. Hitting this endpoint will lock the user so the Zero Hash compliance team can conduct investigations.

Please note: Platforms cannot update the participant status further - once the participant is locked, the Zero Hash compliance team must take action and will potentially request supporting evidence from the platform.

If making a request for a participant who has been locked or disabled, platforms will receive an error message of Participant [participant_code] is not allowed to transact

Request body:

Parameter Description Type
reason_code compliance_issue or user_request, required string
notes Additional details on the lock, which can drastically speed up investigations on the Zero Hash side string

Possible Responses:

Status Code Description
200 OK The customer was successfully created. Note: the request is idempotent only IF theX-REQUEST-ID and payload is the same as previously submitted
400 Bad Request The request is invalid or failed

Custodian Relationship Types

Valid options are:

POST /participants/customers/minor

const postParticipantMinor = () => {
  const body = {
    first_name: 'John',
    last_name: 'Smith',
    email: '[email protected]',
    address_one: '1 Main St.',
    address_two: 'Chicago',
    country: 'United States',
    city: 'Chicago',
    zip: '12345',
    state: 'IL',
    date_of_birth: '2018-09-02',
    id_number_type: 'non_us_passport',
    id_number: '123456789',
    non_us_other_type: null,
    id_issuing_authority: null,
    utma_signed_timestamp: 1603378501286,
    custodian_participant_code: 'CAST01',
    custodian_relationship: 'parent',
    metadata: {}
  }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/participants/customers/minor' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/participants/customers/minor`,
    options
  )
}
resp = make_seed_request('POST', '/participants/customers/minor', {})

Sample Request

{
  "first_name": "John",
  "last_name": "Smith",
  "email": "[email protected]",
  "address_one": "1 Main St.",
  "address_two": "Chicago",
  "country": "United States",
  "city": "Chicago",
  "zip": "12345",
  "state": "IL",
  "date_of_birth": "2018-09-02",
  "id_number_type": "non_us_passport",
  "id_number": "123456789",
  "non_us_other_type": null,
  "id_issuing_authority": null,
  "utma_signed_timestamp": 1603378501286,
  "custodian_participant_code": "CAST01",
  "custodian_relationship": "parent",
  "metadata": {}
}

Sample Response

{
  "message": {
    "first_name": "string",
    "last_name": "string",
    "email": "[email protected]",
    "address_one": "string",
    "address_two": "string",
    "country": "string",
    "city": "string",
    "zip": "string",
    "state": "string",
    "date_of_birth": "string",
    "id_number_type": "non_us_passport",
    "id_number": "string",
    "non_us_other_type": "string",
    "id_issuing_authority": "string",
    "utma_signed_timestamp": 0,
    "custodian_participant_code": "string",
    "participant_code": "string",
    "platform_code": "string",
    "custodian_relationship": "string",
    "metadata": {}
  }
}

Submits a minor and links it to a custodian. Used in the context of the UTMA product.

Request body:

Parameter Description Type
first_name The first name of the customer, required string
last_name The last name of the customer, required string
email Customer email address, required
Note: Zero Hash will validate that the email is a correctly formatted email, and that the value is unique per-platform
string
address_one First line for the customer's address, required
Note: PO Box addresses are not accepted
string
address_two Second line for the customer’s address, e.g., apartment, unit, building etc., if applicable, optional string
city The city customer resides in, required string
state The ISO code of the state the customer resides in (e.g. NY for New York), required if country is "United States"
Note: must be one of the supported states
ISO code string
zip Zip code of the customer in the format<5digits> or <5digits>-<4digits>, e.g. 77777 or 77777-7777, required if country is "United States" string
country The country the customer resides in, required
Note: must be one of the supported countries
string
date_of_birth Date of birth of the customer in the formatYYYY-MM-DD, required string
id_number_type The type of ID document provided, required
Note: must be one of the supported ID types
string
id_number The ID number for the customer, required string
non_us_other_type This is required if you selectnon_us_other for the id_number_type - a freeform string to describe the ID type string
id_issuing_authority The issuing authority for the ID, if available, optional string
utma_signed_timestamp The UNIX timestamp (in milliseconds) when the User Agreement UTMA Addendum was accepted by the custodian timestamp
custodian_participant_code The already-submitted participant code of the associated custodian object
custodian_relationship The type of custodian provided. if the field is filled, must be one of the supported custodian relationship string
metadata Can be used to submit any additional unstructed metadata object

Additional fields in response:

Parameter Description Type
platform_code The unique identifier for the Platform onto which the customer has been created string
participant_code The Zero Hash identifier for the new customer
Note: this value is key to enable you to submit trades and check account balances for this customer
string

Supported Regions

Zero Hash operates in a wide range of supported regions. For more information, please contact us to learn more. Please refer to our disclosures page for more information on regional regulation. Specifically, you can see a list of disclosures pertaining to certain states in which Zero Hash has licensing here.

ID Types

Valid options are:

POST /participants/documents

const postParticipantDocument = (filepath) => {
  const document = fs.readFileSync(filepath).toString('base64')

  const body = {
    document,
    mime: 'pdf',
    file_name: 'supporting_document.pdf',
    participant_code: 'ABC123'
  }

  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/participants/documents' + JSON.stringify(
    {})
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  const fileHash = crypto
    .createHash('sha256')
    .update(body.document)
    .digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-SCX-FILE-HASH': fileHash,
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/participants/documents`,
    options
  )
}
with open(filepath, 'rb') as document:
   resp = make_seed_request('POST', '/participants/documents', {
        'document': base64.b64encode(document.read()),
        'mime': 'pdf',
        'file_name': 'supporting_document.pdf',
        'participant_code': 'ABC123'
    })

Sample Request

{
  "document": "aGVsbG8gd29ybGQ=",
  "mime": "pdf",
  "file_name": "supporting_document.pdf",
  "participant_code": "ABC123"
}

Sample Response

{
  "message": {
    "state": "Success",
    "file_name": "supporting_document.pdf",
    "created_at": 1572899177383
  }
}

Submits a document on behalf of you or a customer if you operate a platform on Zero Hash. In order to Authenticate you will need to do the following:

Request body:

Parameter Description Type
document base 64 encoded file that you wish to upload (10mb limit) binary
mime The MIME type of the file you are uploading string
file_name The name of the document that you are uploading string
participant_code Your participant code, or the participant_code of the customer on behalf of whom you are uploading the document string

POST /participants/entity/new

const postEntity = () => {
  const body = {
    platform_code: "PLAT01",
    entity_name: "Entity Name",
    legal_name: "Legal Name",
    contact_number: "15553765432",
    website: "www.example.com",
    date_established: "2000-01-15",
    entity_type: "llc",
    address_one: "1 Main St.",
    address_two: "Suite 1000",
    city: "Chicago",
    state_or_province: "IL",
    postal_code: "12345",
    country: "United States",
    tax_id: "883987654",
    id_issuing_authority: "United States",
    risk_rating: "low",
    risk_vendor: "passbase",
    sanction_screening: "pass",
    sanction_screening_timestamp: 1677252628000,
    metadata: {},
    signed_timestamp: 1677252629000,
    submitter_email: "[email protected]",
    control_persons: [
      {
        name: "Joe Doe",
        email: "[email protected]",
        address_one: "1 South St.",
        address_two: "Suite 2000",
        city: "Chicago",
        state_or_province: "IL",
        postal_code: "12345",
        country: "United States",
        date_of_birth: "1979-01-30",
        citizenship: "United States",
        tax_id: "123456789",
        id_number_type: "us_passport",
        id_number: "332211200",
        id_issuing_authority: "United States",
        sanction_screening: "pass",
        sanction_screening_timestamp: 1677252628000,
        kyc: "pass",
        kyc_timestamp: 1603378501285,
        control_person: 1
      },
      {
        name: "Joe Doe Jr",
        email: "[email protected]",
        address_one: "1 South St.",
        address_two: "Suite 2000",
        city: "Chicago",
        state_or_province: "IL",
        postal_code: "12345",
        country: "United States",
        date_of_birth: "1979-01-30",
        citizenship: "United States",
        tax_id: "123456779",
        id_number_type: "us_passport",
        id_number: "332511100",
        id_issuing_authority: "United States",
        sanction_screening: "pass",
        sanction_screening_timestamp: 1677252628000,
        kyc: "pass",
        kyc_timestamp: 1603378501285,
        control_person: 1
      }
    ],
    beneficial_owners: [
      {
        name: "Jane Doe",
        beneficial_owner: 2,
        email: "[email protected]",
        address_one: "1 North St.",
        address_two: "Suite 3000",
        city: "Chicago",
        state_or_province: "IL",
        postal_code: "12345",
        country: "United States",
        date_of_birth: "1980-01-30",
        citizenship: "United States",
        tax_id: "013345678",
        id_number_type: "us_drivers_license",
        id_number: "P11122223333",
        id_issuing_authority: "United States",
        sanction_screening: "pass",
        sanction_screening_timestamp: 1677252628000
        kyc: "pass",
        kyc_timestamp: 1603378501285
      },
      {
        name: "Jane Doe Jr",
        beneficial_owner: 1,
        email: "[email protected]",
        address_one: "1 North St.",
        address_two: "Suite 3000",
        city: "Chicago",
        state_or_province: "IL",
        postal_code: "12345",
        country: "United States",
        date_of_birth: "1980-01-30",
        citizenship: "United States",
        tax_id: "012345578",
        id_number_type: "us_drivers_license",
        id_number: "P11122243333",
        id_issuing_authority: "United States",
        sanction_screening: "pass",
        sanction_screening_timestamp: 1677252628000,
        kyc: "pass",
        kyc_timestamp: 1603378501285
      }
    ]
  }
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/participants/entity/new' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/participants/entity/new`,
    options
  )
}
resp = make_seed_request('POST', '/participants/entity/new', {})

Sample Request

{
  "platform_code": "PLAT01",
  "entity_name": "Entity Name",
  "legal_name": "Legal Name",
  "contact_number": "15553765432",
  "website": "www.example.com",
  "date_established": "2000-01-15",
  "entity_type": "llc",
  "address_one": "1 Main St.",
  "address_two": "Suite 1000",
  "city": "Chicago",
  "state_or_province": "IL",
  "postal_code": "12345",
  "country": "United States",
  "tax_id": "883987654",
  "id_issuing_authority": "United States",
  "risk_rating": "low",
  "risk_vendor": "passbase",
  "sanction_screening": "pass",
  "sanction_screening_timestamp": 1677252628000,
  "metadata": {
  },
  "signed_timestamp": 1677252629000,
  "submitter_email": "[email protected]",
  "control_persons": [
    {
      "name": "Joe Doe",
      "email": "[email protected]",
      "address_one": "1 South St.",
      "address_two": "Suite 2000",
      "city": "Chicago",
      "state_or_province": "IL",
      "postal_code": "12345",
      "country": "United States",
      "date_of_birth": "1979-01-30",
      "citizenship": "United States",
      "tax_id": "123456789",
      "id_number_type": "us_passport",
      "id_number": "332211200",
      "id_issuing_authority": "United States",
      "sanction_screening": "pass",
      "sanction_screening_timestamp": 1677252628000,
      "kyc": "pass",
      "kyc_timestamp": 1603378501285,
      "control_person": 1
    },
    {
      "name": "Joe Doe Jr",
      "email": "[email protected]",
      "address_one": "1 South St.",
      "address_two": "Suite 2000",
      "city": "Chicago",
      "state_or_province": "IL",
      "postal_code": "12345",
      "country": "United States",
      "date_of_birth": "1979-01-30",
      "citizenship": "United States",
      "tax_id": "123456779",
      "id_number_type": "us_passport",
      "id_number": "332511100",
      "id_issuing_authority": "United States",
      "sanction_screening": "pass",
      "sanction_screening_timestamp": 1677252628000,
      "kyc": "pass",
      "kyc_timestamp": 1603378501285,
      "control_person": 2
    }
  ],
  "beneficial_owners": [
    {
      "name": "Jane Doe",
      "beneficial_owner": 2,
      "email": "[email protected]",
      "address_one": "1 North St.",
      "address_two": "Suite 3000",
      "city": "Chicago",
      "state_or_province": "IL",
      "postal_code": "12345",
      "country": "United States",
      "date_of_birth": "1980-01-30",
      "citizenship": "United States",
      "tax_id": "013345678",
      "id_number_type": "us_drivers_license",
      "id_number": "P11122223333",
      "id_issuing_authority": "United States",
      "sanction_screening": "pass",
      "sanction_screening_timestamp": 1677252628000,
      "kyc": "pass",
      "kyc_timestamp": 1603378501285,
      "role": "Example Role"
    },
    {
      "name": "Jane Doe Jr",
      "beneficial_owner": 1,
      "email": "[email protected]",
      "address_one": "1 North St.",
      "address_two": "Suite 3000",
      "city": "Chicago",
      "state_or_province": "IL",
      "postal_code": "12345",
      "country": "United States",
      "date_of_birth": "1980-01-30",
      "citizenship": "United States",
      "tax_id": "012345578",
      "id_number_type": "us_drivers_license",
      "id_number": "P11122243333",
      "id_issuing_authority": "United States",
      "sanction_screening": "pass",
      "sanction_screening_timestamp": 1677252628000,
      "kyc": "pass",
      "kyc_timestamp": 1603378501285
    }
  ]
}

Sample Response

{
  "message": {
    "platform_code": "PLAT01",
    "participant_code": "PART01",
    "status": "submitted",
    "entity_name": "Entity Name",
    "legal_name": "Legal Name",
    "address_one": "1 Main St.",
    "address_two": "Suite 1000",
    "country": "United States",
    "state_or_province": "IL",
    "city": "Chicago",
    "postal_code": "12345",
    "date_established": "2000-01-15",
    "risk_rating": "low",
    "risk_vendor": "passbase",
    "entity_type": "llc",
    "metadata": {},
    "signed_timestamp": 1677252629000,
    "tax_id": "883987654",
    "contact_number": "15553765432",
    "website": "www.example.com",
    "id_issuing_authority": "United States",
    "sanction_screening": "pass",
    "sanction_screening_timestamp": 1677252628000,
    "submitter_email": "[email protected]",
    "beneficial_owners": [
      {
        "user_code": "U-USERCO",
        "beneficial_owner": 2,
        "name": "Jane Doe",
        "email": "[email protected]",
        "address_one": "1 North St.",
        "address_two": "Suite 3000",
        "city": "Chicago",
        "state_or_province": "IL",
        "postal_code": "12345",
        "country": "United States",
        "date_of_birth": "1980-01-30",
        "citizenship": "United States",
        "tax_id": "013345678",
        "id_number_type": "us_drivers_license",
        "id_number": "P11122223333",
        "id_issuing_authority": "United States",
        "sanction_screening": "pass",
        "sanction_screening_timestamp": 1677252628000,
        "kyc": "pass",
        "kyc_timestamp": 1603378501285,
        "role": "Example Role"
      },
      {
        "user_code": "U-USERC1",
        "beneficial_owner": 1,
        "name": "Jane Doe Jr",
        "email": "[email protected]",
        "address_one": "1 North St.",
        "address_two": "Suite 3000",
        "city": "Chicago",
        "state_or_province": "IL",
        "postal_code": "12345",
        "country": "United States",
        "date_of_birth": "1980-01-30",
        "citizenship": "United States",
        "tax_id": "012345578",
        "id_number_type": "us_drivers_license",
        "id_number": "P11122243333",
        "id_issuing_authority": "United States",
        "sanction_screening": "pass",
        "sanction_screening_timestamp": 1677252628000,
        "kyc": "pass",
        "kyc_timestamp": 1603378501285
      }
    ],
    "control_persons": [
      {
        "user_code": "U-USERC2",
        "name": "Joe Doe",
        "email": "[email protected]",
        "address_one": "1 South St.",
        "address_two": "Suite 2000",
        "city": "Chicago",
        "state_or_province": "IL",
        "postal_code": "12345",
        "country": "United States",
        "date_of_birth": "1979-01-30",
        "citizenship": "United States",
        "tax_id": "123456789",
        "id_number_type": "us_passport",
        "id_number": "332211200",
        "id_issuing_authority": "United States",
        "sanction_screening": "pass",
        "sanction_screening_timestamp": 1677252628000,
        "kyc": "pass",
        "kyc_timestamp": 1603378501285,
        "control_person": 1
      },
      {
        "user_code": "U-USERC3",
        "name": "Joe Doe Jr",
        "email": "[email protected]",
        "address_one": "1 South St.",
        "address_two": "Suite 2000",
        "city": "Chicago",
        "state_or_province": "IL",
        "postal_code": "12345",
        "country": "United States",
        "date_of_birth": "1979-01-30",
        "citizenship": "United States",
        "tax_id": "123456779",
        "id_number_type": "us_passport",
        "id_number": "332511100",
        "id_issuing_authority": "United States",
        "sanction_screening": "pass",
        "sanction_screening_timestamp": 1677252628000,
        "kyc": "pass",
        "kyc_timestamp": 1603378501285,
        "control_person": 2
      }
    ]
  }
}

When posting new entities, platforms are also required to post documents. See POST /participants/entity/documents for information.

Optional request header include:

Parameter Description Type
X-REQUEST-ID Include a X-REQUEST-ID in the request header to ensure idempotent creation requests UUID

Request body:

Parameter Description Requirement Input
platform_code Zero Hash platform code of the submitting platform required string
BUSINESS INFO
entity_name Name of the business required string
legal_name Registered legal name of the entity. This should not be a DBA or DBA equivalent required string
contact_number Phone number of the business required string
website Business website. By not submitting a website, you are warranting to Zero Hash that you do NOT have a business website required string
date_established Date the business was established. This should reflect government registration for the entity required YYYY-MM-DD
entity_type The type of business that is onboarding, must be one of the supported Entity Types required string
address_one Address of the business, no P.O. Boxes required string
address_two Address of the registered business continued, no P.O. Boxes optional string
city City of the business required string
state_or_province State of the business required (for US address) string
postal_code Postal, or zip code, of the business, in the format<5digits> or <5digits>-<4digits>, e.g. 77777 or 77777-7777 required string
country Country of the business. Note: must be one of the supported countries required string
tax_id Tax identifier of the business (e.g. EIN in United States) required string
id_issuing_authority Country that issued the tax identifier (e.g. “United States”) required string
risk_rating Risk assessed by the platform’s vendor required low, medium, high
sanction_screening Result of the business sanctions screen required pass, fail
sanction_screening_timestamp The time the sanctions screen was done required UNIX timestamp in milliseconds
metadata Additional unstructured data optional object
signed_timestamp The time at which the business accepted Zero Hash services agreements required UNIX timestamp in milliseconds
CONTROL PERSON(S) submit as many as necessary, for each director, officer, member, or partner, etc.
name Full name of the control person required string
email Email address of control person required string
address_one Address of the control person, no P.O. Boxes required string
address_two Address of the control person continued, no P.O. Boxes optional string
city City of the control person required string
state_or_province State of the control person required (for US address) string
postal_code Postal, or zip code, of the control person, in the format<5digits> or <5digits>-<4digits>, e.g. 77777 or 77777-7777 required string
country Country of the control person required string
date_of_birth Birth date of the control person required YYYY-MM-DD
citizenship Citizenship of the control person (e.g. “United States”). See required validations required string
tax_id Tax identifier of the control person (e.g. 9-digit SSN in United States). See required validations conditionally required if citizenship = “United States” string
id_number_type Type of ID document provided. Note: must be one of the supported ID Number Types required string
id_number ID number of the ID document provided required string
id_issuing_authority Country that issued the ID, if available (e.g. “United States”) optional string
sanction_screening Result of the control person’s sanctions screen required pass, fail
sanction_screening_timestamp The time the control person’s sanctions screen was done required UNIX timestamp in milliseconds
kyc Whether the participant passed or failed KYC by vendor required pass, fail
kyc_timestamp The UNIX timestamp (in milliseconds) when KYC was passed required timestamp
control_person Designation of what percent of the business the person controls. Unknown = 0; Less than 10% = 1; Greater than or equal to 10% but less than 25% = 2; Greater than or equal to 25% = 3 required number
BENEFICIAL OWNER(S) Individual(s) who controls ≥25%, submit as many as necessary. If no Beneficial Owner(s), this section can be omitted. Zero Hash only requires inclusion of BOs who hold ≥25%, but those who hold 10-24% can be disclosed for compliance due diligence at the platform’s discretion.
name Full name of the beneficial owner required string
beneficial_owner Designation of what percent of the business the person owns. Unknown = 0; Greater than or equal to 10% but less than 25% = 1; Greater than or equal to 25% = 2 required number
email Email address of beneficial owner required string
address_one Address of the beneficial owner, no P.O. Boxes required string
address_two Address of the beneficial owner continued, no P.O. Boxes optional string
city City of the beneficial owner required string
state_or_province State of the beneficial owner required string
postal_code Postal, or zip code, of the beneficial owner, in the format<5digits> or <5digits>-<4digits>, e.g. 77777 or 77777-7777 required string
country Country of the beneficial owner required string
date_of_birth Birth date of the beneficial owner required YYYY-MM-DD
citizenship Citizenship of the beneficial owner (e.g. “United States”). See required validations required string
tax_id Tax identifier of the beneficial owner (e.g. 9-digit SSN in United States). See required validations conditionally required if citizenship = “United States” string
id_number_type Type of ID document provided. Note: must be one of the supported ID Number Types required string
id_number ID number of the ID document provided required string
id_issuing_authority Country that issued the ID, if available (e.g. “United States”) optional string
sanction_screening Result of the beneficial owner’s sanctions screen required pass, fail
sanction_screening_timestamp The time the beneficial owner’s sanctions screen was done required UNIX timestamp in milliseconds
kyc Whether the participant passed or failed KYC by vendor required pass, fail
kyc_timestamp The UNIX timestamp (in milliseconds) when KYC was passed required timestamp
role The role of the benificial owner optonal string
SUBMITTER
submitter_email Email of the person who completed the KYC application and agreed to terms required string

Additional fields in response:

Parameter Description Type
participant_code The Zero Hash identifier for the new customer
Note: this value is key to enable you to submit trades and check account balances for this customer
string
status When a successful POST has occurred, the Zero Hash response includes the status of the business participant, which indicates whether or not the business participant can immediately make requests
  • submitted: entity must undergo manual review by Zero Hash
  • approved: entity is approved to begin making requests
user_code Zero Hash identifier for the Control Person(s) or Beneficial Owner(s). One code returned per person. string

Possible Responses:

Status Code Description
200 OK The participant was successfully created. See*status* to understand whether or not that participant can immediately transact.
400 Bad Request The request was invalid, or the request was missing required fields.

Supported Regions

Zero Hash operates in a wide range of supported regions. For more information, please contact us to learn more. Please refer to our disclosures page for more information on regional regulation. Specifically, you can see a list of disclosures pertaining to certain states in which Zero Hash has licensing here.

Entity Types

Valid options are:

ID Number Types

Valid options are:

POST /participants/entity/documents

const postEntityDocument = (filepath) => {
  const document = fs.readFileSync(filepath).toString('base64')

  const body = {
    document,
    mime: 'pdf',
    document_type: "proof_of_address",
    file_name: "proof_of_address.pdf",
    participant_code: 'ABC123'
  }

  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/participants/entity/documents' + JSON.stringify(
    {})
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  const fileHash = crypto
    .createHash('sha256')
    .update(body.document)
    .digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase',
    'X-SCX-FILE-HASH': fileHash,
    'X-REQUEST-ID': '7fbab305-2679-4279-808b-9b7a63a55c85'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/participants/entity/documents`,
    options
  )
}
with open(filepath, 'rb') as document:
   resp = make_seed_request('POST', '/participants/entity/documents', {
        'document': base64.b64encode(document.read()),
        'mime': 'pdf',
        "document_type": "proof_of_address",
        "file_name": "proof_of_address.pdf",
        'participant_code': 'ABC123'
    })

Sample Request - Business documents

{
  "document": "aGVsbG8gd29ybGQ=",
  "mime": "pdf",
  "document_type": "proof_of_address",
  "file_name": "proof_of_address.pdf",
  "participant_code": "ABC123"
}

Sample Response - Business documents

{
  "message": {
    "state": "Success",
    "file_name": "proof_of_address.pdf",
    "created_at": 1572899177383
  }
}

Sample Request - Control Person / Beneficial Owner documents

{
  "document": "aGVsbG8gd29ybGQ=",
  "mime": "jpg",
  "document_type": "us_passport"
  "file_name": "jane_doe_passport.jpg",
  "user_code": "XYZ789"
}

Sample Response - Control Person / Beneficial Owner documents

{
  "message": {
    "state": "Success",
    "file_name": "jane_doe_passport.jpg",
    "created_at": 1572899177383
  }
}

Posting a business participant requires that specific documentation is passed to Zero Hash. One document can be submitted per call. In order to Authenticate you will need to do the following:

Document requirements

Document requirements are validated and depend on the entity_type passed in POST /participants/entity/new.

Entity type Documents required (*if applicable)
Sole proprietorship
  • business_license*
  • business_name_filing_document*
  • business_name_filing_document*
  • proof_of_address
  • certificate_of_good_standing
  • valid ID types for Control Person(s) and Beneficial Owner(s)
Partnership
  • partnership_agreement
  • proof_of_address
  • certificate_of_good_standing
  • valid ID types for Control Person(s) and Beneficial Owner(s)
LLC
  • operating_agreement
  • articles_of_organization
  • certificate_of_organization
  • proof_of_address
  • certificate_of_good_standing
  • valid ID types for Control Person(s) and Beneficial Owner(s)
Corporation
  • certificate_of_incorporation
  • articles_of_incorporation
  • by_laws
  • proof_of_address
  • certificate_of_good_standing
  • valid ID types for Control Person(s) and Beneficial Owner(s)
Other If submitting a non-profit organization, Association/Organization agreement and/or by_laws, proof_of_address, proof_of_non_profit_status, + validID types for Control Person(s) are required.

Request body:

Parameter Description Requirement Input
document base 64 encoded file that you wish to upload (10mb limit) required binary
mime The MIME type of the file you are uploading required string
document_type The type of document provided.
Note: must be one of the supported Document types
required string
file_name The name of the document that you are uploading required string
participant_code OR user_code Zero Hash designated participant code of the business participant created in or the user code of the Control Person or Beneficial Owner required string

Document types

Valid options are:

Liquidity

GET /liquidity/rfq

const getQuote = () => {
  const body = '{}'
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/liquidity/rfq?underlying=BTC&quoted_currency=USD&side=buy&quantity=1' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/liquidity/rfq?underlying=BTC&quoted_currency=USD&side=buy&quantity=1`,
    options
  )
}
accounts = make_seed_request('GET', '/liquidity/rfq', {})

Sample Response

{
  "message": {
    "request_id": "fc9af216-c88a-44e5-a9b1-db5e299ed360",
    "participant_code": "BBLGTW",
    "quoted_currency": "USD",
    "side": "buy",
    "quantity": "0.00000493485985",
    "price": "4052.7999999837888",
    "quote_id": "056c09d9-43b7-445e-8020-40e5a0ef2405",
    "expire_ts": 1701130700436,
    "account_group": "00SCXM",
    "account_label": "general",
    "obo_participant": {
      "participant_code": "IZJQJA",
      "account_group": "BBLGTW",
      "account_label": "general"
    },
    "underlying": "ETH",
    "asset_cost_notional": "0.02",
    "spread_notional": "0.0004",
    "spread_bps": "200"
  }
}

Returns a quote to buy or sell a certain asset, in return for another asset. See one-pager here for more details.

Zero Hash supports quotes in the range of $0.01 to $500,000.00. For more details on our Maximum & Minimum thresholds on RFQ, please visit here.

Query parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ string
participant_code The identifier of the participant making the quote request string
quoted_currency The asset code for the quoted currency, e.g.USD string
side The participant side of the quote -buy or sell string
quantity The amount of the quoted currency string
price The cost per unit of underlying currency string
quote_id The identifier for the quote
Note: this is required to execute the quote
string
expire_ts Timestamp when the quote will expire timestamp
account_group The group that the account is a part of string
account_label Theaccount label associated with the account string
obo_participant on behalf of participant is the details of the participant benefiting the trade if not the submitter object
network_fee_notional fee notional in the currency quoted on the RFQ string
network_fee_quantity fee quantity in the underlying asset string
total_notional The calculation: (price * quantity) + (network_fee_notional * network_fee_quantity) string
underlying The asset code for the underlying currency, e.g.BTC string

POST /liquidity/execute

const executeQuote = (id: string) => {
  const body = '{ "quote_id":' + id + '}'
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/liquidity/execute' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/liquidity/execute`, options)
}
accounts = make_seed_request('POST', '/liquidity/execute', {"quote_id": id})

Sample Response

{
  "request_id": "14f8ebb8-7530-4aa4-bef9-9d73d56313f3",
  "quote": {
    "request_id": "ce819fe8-b1d7-43bb-961c-e09ede0988d3",
    "participant_code": "CUST01",
    "quoted_currency": "USD",
    "side": "BUY",
    "quantity": "1",
    "price": "11430.90",
    "quote_id": "5cd07738b861c31e3bd61467BTC1Buy1568311644602",
    "expire_ts": 1568311649602,
    "account_group": "GRP001",
    "account_label": "general",
    "obo_participant": {
      "participant_code": "20XRLH",
      "account_group": "WRD1K0",
      "account_label": "general"
    },
    "network_fee_notional": "1",
    "network_fee_quantity": "1",
    "total_notional": "2.00",
    "underlying": "BTC",
    "asset_cost_notional": "2.00"
  },
  "trade_id": "ba97133e-ab15-4c86-86c1-86671b8420bc",
  "status": "Completed",
  "ach_details": {
    "inbound_reference_id": "ref-id"
  },
  "payment_amount": "10"
}

Executes the quote identified by quote_id. The completed trade is submitted to settlement via the 00SCXM platform. Platforms may now use the funding_details sub-object to trigger Zero Hash to create an ACH transaction associated with a trade. Speak with Zero Hash support for more details.

Body parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ. string
quote{} The quote object that was executed. quote
trade_id The unique identifier assigned to the trade, which is the sametrade_id as found in a GET /trades request
Note: the quote_id will be saved as the client_trade_id.
string
status The status of the trade, e.g.Completed. string
payment_amount The final amount of the ACH transaction that will go out into the network. When executing a BUY this is the trade amount plus thebank_fee, for a SELL this is the trade amount minus the bank_fee. string

Central Limit Order Book

POST /orders/v1/search_orders

This endpoint returns a list of your orders on the Central Limit Order Book that match the requested query parameters.

Request

Parameter Description Required Type
accounts List of account names to filter upon. - Array
client_account_id Client account ID to filter upon. - String
client_participant_id Client participant ID to filter upon. - String
clord_id Client assigned order ID to filter upon. - String
end_time End time for the orders to be fetched. - String
order_id The exchange assigned order ID of the order to filter upon. - String
order_state_filter Theorder_state_filter describes a filter for searching orders that are open or closed.
ORDER_STATE_FILTER_UNDEFINED
ORDER_STATE_FILTER_OPEN
ORDER_STATE_FILTER_CLOSED
ORDER_STATE_FILTER_NEW
ORDER_STATE_FILTER_PARTIALLY_FILLED
ORDER_STATE_FILTER_FILLED
ORDER_STATE_FILTER_CANCELED
ORDER_STATE_FILTER_REPLACED
ORDER_STATE_FILTER_REJECTED
ORDER_STATE_FILTER_EXPIRED
- String
page_size The maximum number of orders to return in a response. This field is optional. - Integer
page_token A pagination token returned from a previous call tosearch_orders that indicates where this listing should continue from. - String
side Side indicates the side of an Order.
SIDE_UNDEFINED(Default)
SIDE_BUY
SIDE_SELL
- String
start_time Start time for the orders to be fetched. - String
symbol Instrument symbol to filter upon. - String
type Ordertype indicates the type of an order.
ORDER_TYPE_MARKET_TO_LIMIT
ORDER_TYPE_LIMIT
ORDER_TYPE_STOP
ORDER_TYPE_STOP_LIMIT
- String

Response

Parameter Description Type
next_page_token A pagination token returned from a previous call to thesearch_orders endpoint. String
order Arrary of orders received to the CLOB String
account The trading account for this order. String
all_or_none Set if all or none of the order qty should be filled Bool
avg_px Average fill price String
best_limit A flag that if set indicates that the price of a limit order shall be set to the price at the top of the book on the same side as this order. Bool
block_trade_indicator A flag that if set indicates that this order is part of a block trade. Bool
cash_order_qty Fixed point decimal representation of the total cash order qty. String
client_account_id Client Account ID. String
client_participant_id Participant ID. String
clord_id Client Order ID String
collateral_memo String
commission_notional_total_collected The total notional value of all commissions collected on the order. String
commissions_basis_points Commission in basis points on the order. String
create_time Time order was created. String
cross_id Assigned Order Cross ID. String
cum_qty Cumulative filled order quantity. String
good_till_time The time in which the order will expire. String
host_cross_id CLOB Generated Host Cross ID. String
id CLOB assigned ID for the order. String
ignore_price_validity_checks Bypass price, order, and total notional limits.(Only allowed in case of market sell orders to support liquidation.) Bool
immediately_executable_limit A flag that if set indicates that the price of a limit order shall be set to the price at the top of the book on the opposing side as this order. String
insert_time Time the order was entered into the book. String
last_trade_id Most recent trade ID that this order was party to. String
last_transact_time The most recent time this order was updated. String
leaves_qty Remaining working quantity String
min_qty Minimum quantity (optional for IOC time in force). String
order_capacity Order Capacity designates the capacity of the party placing an order.
ORDER_CAPACITY_UNDEFINED
ORDER_CAPACITY_AGENCY
ORDER_CAPACITY_PRINCIPAL
ORDER_CAPACITY_PROPRIETARY
ORDER_CAPACITY_INDIVIDUAL
ORDER_CAPACITY_RISKLESS_PRINCIPAL
ORDER_CAPACITY_AGENT_FOR_OTHER_MEMBER
String
order_qty Order Quantity String
parent_order_id The parent order this order is the child. String
participant Participant that placed this order String
participate_dont_initiate Set if immediate match is not desired Bool
price Price of the order. (Limit, Stop Limit) String
priority_weight Relative priority among the same price level. String
risk_check_time The time at which this order was risk checked. String
self_match_prevention_instruction Self match prevention instruction
SELF_MATCH_PREVENTION_INSTRUCTION_UNDEFINED
SELF_MATCH_PREVENTION_INSTRUCTION_REJECT_AGGRESSOR
SELF_MATCH_PREVENTION_INSTRUCTION_CANCEL_RESTING
SELF_MATCH_PREVENTION_INSTRUCTION_REMOVE_BOTH
String
side Side indicates the side of an Order.
SIDE_BUY
SIDE_SELL
String
state State of the order
ORDER_STATE_PENDING_NEW
ORDER_STATE_PENDING_REPLACE
ORDER_STATE_PENDING_CANCEL
ORDER_STATE_PENDING_RISK
String
stop_price Stop Price of the Order String
strict_limit Set if this particular order must be filled at the exact limit price specified without price improvement Bool
symbol The Trading Pair. String
symbol_sub_type String
time_in_force The orders Time in force.
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
String
transaction_booked_time In the event of an order cross, the time at which the order was booked. String
trigger_method ConditionTriggerMethod is the methodology used to trigger an order for insertion onto the book.
CONDITION_TRIGGER_METHOD_LAST_PRICE
CONDITION_TRIGGER_METHOD_SETTLEMENT_PRICE
String
type Indicates the type of an order.
ORDER_TYPE_MARKET_TO_LIMIT
ORDER_TYPE_LIMIT
ORDER_TYPE_STOP
ORDER_TYPE_STOP_LIMIT
String

Sample Request

body = {
    "account": "firms/{FIRM-ID}/accounts/{ACCOUNT-ID}",
    "symbol": "BTC/USD",
    "start_time": "2023-06-21T19:15:59.620Z",
    "end_time": "2023-06-21T19:15:59.620Z",
    "page_size": 10,
}
send_signed_http_request('POST', '/orders/v1/search_orders', body)

Sample Response

{
  "order": [
    {
      "id": "1670693742334484486",
      "type": "ORDER_TYPE_MARKET_TO_LIMIT",
      "side": "SIDE_SELL",
      "order_qty": "1000",
      "symbol": "BTC/USD",
      "clord_id": "3135638227567779936000",
      "time_in_force": "TIME_IN_FORCE_GOOD_TILL_CANCEL",
      "account": "firms/{FIRM-ID}/accounts/{ACCOUNT-ID}",
      "cum_qty": "0",
      "avg_px": "0",
      "leaves_qty": "0",
      "state": "ORDER_STATE_REJECTED",
      "participant": "firms/{FIRM-ID}/accounts/{ACCOUNT-ID}",
      "price": "0",
      "insert_time": null,
      "stop_price": "0",
      "min_qty": "0",
      "create_time": "2023-06-19T07:33:05.727361505Z",
      "all_or_none": false,
      "cross_id": "",
      "host_cross_id": "",
      "submitting_participant": "",
      "client_account_id": "",
      "client_participant_id": "",
      "parent_order_id": "",
      "commissions_basis_points": "18",
      "participate_dont_initiate": false,
      "cash_order_qty": "0",
      "symbol_sub_type": "",
      "strict_limit": false,
      "risk_check_time": null,
      "collateral_memo": "",
      "priority_weight": "0",
      "good_till_time": null,
      "context": {
        "any_context": null,
        "fix_context": {
          "begin_string": "FIXT.1.1",
          "target_comp_id": "#*{FIRM-ID}*#",
          "sender_comp_id": "ZERO",
          "orig_clord_id": "",
          "security_type": "",
          "target_sub_id": "",
          "target_location_id": "",
          "sender_sub_id": "{ACCOUNT-ID}",
          "sender_location_id": "",
          "on_behalf_of_comp_id": "",
          "on_behalf_of_sub_id": ""
        }
      },
      "best_limit": false,
      "immediately_executable_limit": false,
      "block_trade_indicator": false,
      "last_trade_id": "",
      "trigger_method": "CONDITION_TRIGGER_METHOD_UNDEFINED",
      "price_to_quantity_filled": {
      },
      "commission_notional_total_collected": "0",
      "self_match_prevention_instruction": "SELF_MATCH_PREVENTION_INSTRUCTION_UNDEFINED",
      "order_capacity": "ORDER_CAPACITY_UNDEFINED",
      "ignore_price_validity_checks": false
    }
  ],
  "next_page_token": "2023-06-14T06:33:06.113Z_64895f222aff3a1f4c5af08f"
}

POST /orders/v1/search_executions

This endpoint returns a list executions on the Central Limit Order Book that match the requested query parameters.

Sample Request

body = {
   "newest_first":True,
   "start_time":"2023-10-04T03:34:56.794Z",
   "order_id":"1FBJKR4KDXZ0P",
   "page_size":50,
   "types":[
      "EXECUTION_TYPE_NEW"
   ]
}
response = send_signed_http_request('POST', '/orders/v1/search_executions', body)

Sample Response

{
  "executions": [
    {
      "id": "1FBKAZRPHV400",
      "order": {
        "id": "1FBJKR4KDXZ0P",
        "type": "ORDER_TYPE_LIMIT",
        "side": "SIDE_BUY",
        "order_qty": "15000000",
        "symbol": "LTC/USD",
        "clord_id": "",
        "time_in_force": "TIME_IN_FORCE_GOOD_TILL_TIME",
        "account": "firms/{FIRM-ID}/accounts/{ACCOUNT-LABEL}",
        "cum_qty": "0",
        "avg_px": "0",
        "leaves_qty": "15000000",
        "state": "ORDER_STATE_NEW",
        "participant": "firms/{FIRM-ID}/users/{USER-ID}",
        "price": "5350",
        "insert_time": "2023-10-04T03:44:42.433909350Z",
        "stop_price": "0",
        "min_qty": "0",
        "create_time": "2023-10-04T03:44:42.430409261Z",
        "all_or_none": false,
        "cross_id": "",
        "host_cross_id": "",
        "submitting_participant": "",
        "client_account_id": "",
        "client_participant_id": "",
        "parent_order_id": "",
        "commissions_basis_points": "23",
        "participate_dont_initiate": false,
        "cash_order_qty": "0",
        "symbol_sub_type": "",
        "strict_limit": false,
        "risk_check_time": "2023-10-04T03:44:42.433367186Z",
        "collateral_memo": "Fully Collateralized",
        "priority_weight": "0",
        "good_till_time": "2023-10-04T04:01:21.611Z",
        "context": {
          "any_context": {
            "@type": "type.googleapis.com/connamara.ep3.token.v1beta1.TokenContext",
            "user": "firms/{FIRM-ID}/users/{USER-ID}",
            "firm": "firms/{FIRM-ID}",
            "audience": "api",
            "role": "USER_ROLE_TRADING",
            "impersonator": "",
            "issuer": "",
            "jti": "",
            "issue_time": null,
            "expiration_time": null,
            "ott": false
          },
          "fix_context": null
        },
        "best_limit": false,
        "immediately_executable_limit": false,
        "block_trade_indicator": false,
        "last_trade_id": "",
        "trigger_method": "CONDITION_TRIGGER_METHOD_UNDEFINED",
        "price_to_quantity_filled": {
        },
        "commission_notional_total_collected": "0",
        "self_match_prevention_instruction": "SELF_MATCH_PREVENTION_INSTRUCTION_UNDEFINED",
        "order_capacity": "ORDER_CAPACITY_UNDEFINED",
        "ignore_price_validity_checks": false,
        "transaction_booked_time": null,
        "last_transact_time": "2023-10-04T03:44:42.433909350Z"
      },
      "last_shares": "0",
      "last_px": "0",
      "type": "EXECUTION_TYPE_NEW",
      "text": "",
      "order_reject_reason": "ORD_REJECT_REASON_EXCHANGE_OPTION",
      "transact_time": "2023-10-04T03:44:42.433909350Z",
      "leg_prices": [
      ],
      "trade_id": "",
      "aggressor": false,
      "commission_notional_collected": "0",
      "unsolicited_cancel_reason": "UNSOLICITED_CXL_REASON_UNDEFINED",
      "trace_id": "16f7f4daf9a8999e448b72499e3a6e1a"
    }
  ],
  "next_page_token": "651cdfaafd906aa736cb3649",
  "eof": true
}

Request

Parameter Description Type
accounts Account names to filter upon. String
client_account_id Client account ID to filter upon. String
client_participant_id Client participant ID to filter upon. String
clord_id Client assigned order ID to filter upon. String
end_time End time for the orders to be fetched. String
newest_first A flag that if set indicates that executions found should be sorted from most recent to oldest. Bool
order_id CLOB assigned order ID of the order to filter upon. String
page_size The maximum number of fills to return in a response. This field is optional. Integer
page_token A pagination token returned from a previous call tosearch_executions String
parent_order_id Parent order ID to filter upon. String
start_time Start time for the orders to be fetched. String
symbol Instrument symbol to filter upon. String
symbol_sub_type Symbol sub type to filter upon. String
types Execution Type to filter on.
EXECUTION_TYPE_NEW
EXECUTION_TYPE_PARTIAL_FILL
EXECUTION_TYPE_FILL
EXECUTION_TYPE_CANCELED
EXECUTION_TYPE_REPLACE
EXECUTION_TYPE_REJECTED
EXECUTION_TYPE_EXPIRED
EXECUTION_TYPE_DONE_FOR_DAY
String

Response

Parameter Description Type
aggressor On fills,true if order is the agressing order, false if belonging to the passive order. Bool
commission_notional_collected The notional value of commissions collected as part of the execution.(Unscaled) String
id CLOB assigned ID for this execution. String
last_px - String
last_shares - String
order_reject_reason - String
text Free format text. String
trace_id CLOB trace identifier that resulted in this execution. String
trade_id On Fills, the trade id for this transaction String
transact_time Time of the transaction. String
type Order Type String
unsolicited_cancel_reason Reason for unsolicated cancel.
EXECUTION_TYPE_NEW
EXECUTION_TYPE_PARTIAL_FILL
EXECUTION_TYPE_FILL
EXECUTION_TYPE_CANCELED
EXECUTION_TYPE_REPLACE
EXECUTION_TYPE_REJECTED
EXECUTION_TYPE_EXPIRED
EXECUTION_TYPE_DONE_FOR_DAY
String

POST /orders/v1/create_order_subscription

This endpoint creates a subscription for working orders and updates.

Sample Request

response = send_signed_http_request('POST', '/orders/v1/create_order_subscription', {})

Sample Response

#Snapshot Message
{
"result": {
"snapshot": {
"orders": [
{
"id": "1FBJKR4KDXYVR",
"type": "ORDER_TYPE_LIMIT",
"side": "SIDE_BUY",
"order_qty": "15000000",
"symbol": "LTC/USD",
"clord_id": "",
"time_in_force": "TIME_IN_FORCE_GOOD_TILL_TIME",
"account": "firms/{FIRM-ID}/accounts/{ACCOUNT-LABEL}",
"cum_qty": "0",
"avg_px": "0",
"leaves_qty": "15000000",
"state": "ORDER_STATE_NEW",
"participant": "firms/F-{FIRM-ID}/users/{PARTICIPANT-ID}",
"price": "5350",
"insert_time": "2023-10-04T03:43:48.262739065Z",
"stop_price": "0",
"min_qty": "0",
"create_time": "2023-10-04T03:43:48.259339206Z",
"all_or_none": false,
"cross_id": "",
"host_cross_id": "",
"submitting_participant": "",
"client_account_id": "",
"client_participant_id": "",
"parent_order_id": "",
"commissions_basis_points": "23",
"participate_dont_initiate": false,
"cash_order_qty": "0",
"symbol_sub_type": "",
"strict_limit": false,
"risk_check_time": "2023-10-04T03:43:48.262262098Z",
"collateral_memo": "Fully Collateralized",
"priority_weight": "0",
"good_till_time": "2023-10-04T04:00:27.106Z",
"context": {
"any_context": {
"@type": "type.googleapis.com/connamara.ep3.token.v1beta1.TokenContext",
"user": "}/users/{USER-ID}",
"firm": "firms/{FIRM-ID}",
"audience": "api",
"role": "USER_ROLE_TRADING",
"impersonator": "",
"issuer": "",
"jti": "",
"issue_time": null,
"expiration_time": null,
"ott": false
},
"fix_context": null
},
"best_limit": false,
"immediately_executable_limit": false,
"block_trade_indicator": false,
"last_trade_id": "",
"trigger_method": "CONDITION_TRIGGER_METHOD_UNDEFINED",
"price_to_quantity_filled": {
},
"commission_notional_total_collected": "0",
"self_match_prevention_instruction": "SELF_MATCH_PREVENTION_INSTRUCTION_UNDEFINED",
"order_capacity": "ORDER_CAPACITY_UNDEFINED",
"ignore_price_validity_checks": false,
"transaction_booked_time": null,
"last_transact_time": "2023-10-04T03:43:48.262739065Z"
},
]
},
"session_id": "1FBJKS64S2Z2M",
"processed_sent_time": "2023-10-04T03:44:59.221915931Z"
}
}


# Heartbeat Message
{
"result": {
"heartbeat": {},
"session_id": "1FBJKR4KDXWC0",
"processed_sent_time": "2023-10-04T03:35:56.084070463Z"
}
}

# Update Message
{
"result": {
"update": {
"executions": [
{
"id": "1FBK90M5DV400",
"order": {
"id": "1FBJKQR4RDBF6",
"type": "ORDER_TYPE_LIMIT",
"side": "SIDE_BUY",
"order_qty": "15000",
"symbol": "LTC/USD",
"clord_id": "",
"time_in_force": "TIME_IN_FORCE_GOOD_TILL_TIME",
"account": "firms/{FIRM-ID}/accounts/{ACCOUNT-LABEL}",
"cum_qty": "0",
"avg_px": "0",
"leaves_qty": "0",
"state": "ORDER_STATE_REJECTED",
"participant": "firms/{FIRM-ID}/users/{USER-ID}",
"price": "6150",
"insert_time": null,
"stop_price": "0",
"min_qty": "0",
"create_time": "2023-10-04T03:35:57.416512402Z",
"all_or_none": false,
"cross_id": "",
"host_cross_id": "",
"submitting_participant": "",
"client_account_id": "",
"client_participant_id": "",
"parent_order_id": "",
"commissions_basis_points": "23",
"participate_dont_initiate": false,
"cash_order_qty": "0",
"symbol_sub_type": "",
"strict_limit": false,
"risk_check_time": null,
"collateral_memo": "",
"priority_weight": "0",
"good_till_time": "2023-10-04T03:52:36.548Z",
"context": {
"any_context": {
"@type": "type.googleapis.com/connamara.ep3.token.v1beta1.TokenContext",
"user": "firms/{FIRM-ID}/users/{USER-ID}",
"firm": "firms/{FIRM-ID}",
"audience": "api",
"role": "USER_ROLE_TRADING",
"impersonator": "",
"issuer": "",
"jti": "",
"issue_time": null,
"expiration_time": null,
"ott": false
},
"fix_context": null
},
"best_limit": false,
"immediately_executable_limit": false,
"block_trade_indicator": false,
"last_trade_id": "",
"trigger_method": "CONDITION_TRIGGER_METHOD_UNDEFINED",
"price_to_quantity_filled": {},
"commission_notional_total_collected": "0",
"self_match_prevention_instruction": "SELF_MATCH_PREVENTION_INSTRUCTION_UNDEFINED",
"order_capacity": "ORDER_CAPACITY_UNDEFINED",
"ignore_price_validity_checks": false,
"transaction_booked_time": null,
"last_transact_time": "2023-10-04T03:35:57.418917924Z"
},
"last_shares": "0",
"last_px": "0",
"type": "EXECUTION_TYPE_REJECTED",
"text": "Low total notional size limit is 1, given 0.009225",
"order_reject_reason": "ORD_REJECT_REASON_INCORRECT_QUANTITY",
"transact_time": "2023-10-04T03:35:57.418917924Z",
"leg_prices": [],
"trade_id": "",
"aggressor": false,
"commission_notional_collected": "0",
"unsolicited_cancel_reason": "UNSOLICITED_CXL_REASON_UNDEFINED",
"trace_id": ""
}
],
"cancel_reject": null
},
"session_id": "1FBJKR4KDXWC0",
"processed_sent_time": "2023-10-04T03:35:57.489719366Z"
}
}

Response Snapshot

Parameter Description Type
orders Array of orders in the snapshot. Array
next_page_token A pagination token returned from a previous call to thesearch_orders endpoint. String
order Arrary of orders received to the CLOB String
account The trading account for this order. String
all_or_none Set if all or none of the order qty should be filled Bool
avg_px Average fill price String
best_limit A flag that if set indicates that the price of a limit order shall be set to the price at the top of the book on the same side as this order. Bool
block_trade_indicator A flag that if set indicates that this order is part of a block trade. Bool
cash_order_qty Fixed point decimal representation of the total cash order qty. String
client_account_id Client Account ID. String
client_participant_id Participant ID. String
clord_id Client Order ID String
collateral_memo String
commission_notional_total_collected The total notional value of all commissions collected on the order. String
commissions_basis_points Commission in basis points on the order. String
create_time Time order was created. String
cross_id Assigned Order Cross ID. String
cum_qty Cumulative filled order quantity. String
good_till_time The time in which the order will expire. String
host_cross_id CLOB Generated Host Cross ID. String
id CLOB assigned ID for the order. String
ignore_price_validity_checks Bypass price, order, and total notional limits.(Only allowed in case of market sell orders to support liquidation.) Bool
immediately_executable_limit A flag that if set indicates that the price of a limit order shall be set to the price at the top of the book on the opposing side as this order. String
insert_time Time the order was entered into the book. String
last_trade_id Most recent trade ID that this order was party to. String
last_transact_time The most recent time this order was updated. String
leaves_qty Remaining working quantity String
min_qty Minimum quantity (optional for IOC time in force). String
order_capacity Order Capacity designates the capacity of the party placing an order.
ORDER_CAPACITY_UNDEFINED
ORDER_CAPACITY_AGENCY
ORDER_CAPACITY_PRINCIPAL
ORDER_CAPACITY_PROPRIETARY
ORDER_CAPACITY_INDIVIDUAL
ORDER_CAPACITY_RISKLESS_PRINCIPAL
ORDER_CAPACITY_AGENT_FOR_OTHER_MEMBER
String
order_qty Order Quantity String
parent_order_id The parent order this order is the child. String
participant Participant that placed this order String
participate_dont_initiate Set if immediate match is not desired Bool
price Price of the order. (Limit, Stop Limit) String
priority_weight Relative priority among the same price level. String
risk_check_time The time at which this order was risk checked. String
self_match_prevention_instruction Self match prevention instruction
SELF_MATCH_PREVENTION_INSTRUCTION_UNDEFINED
SELF_MATCH_PREVENTION_INSTRUCTION_REJECT_AGGRESSOR
SELF_MATCH_PREVENTION_INSTRUCTION_CANCEL_RESTING
SELF_MATCH_PREVENTION_INSTRUCTION_REMOVE_BOTH
String
side Side indicates the side of an Order.
SIDE_BUY
SIDE_SELL
String
state State of the order
ORDER_STATE_PENDING_NEW
ORDER_STATE_PENDING_REPLACE
ORDER_STATE_PENDING_CANCEL
ORDER_STATE_PENDING_RISK
String
stop_price Stop Price of the Order String
strict_limit Set if this particular order must be filled at the exact limit price specified without price improvement Bool
symbol The Trading Pair. String
symbol_sub_type String
time_in_force The orders Time in force.
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
String
transaction_booked_time In the event of an order cross, the time at which the order was booked. String
trigger_method ConditionTriggerMethod is the methodology used to trigger an order for insertion onto the book.
CONDITION_TRIGGER_METHOD_LAST_PRICE
CONDITION_TRIGGER_METHOD_SETTLEMENT_PRICE
String
type Indicates the type of an order.
ORDER_TYPE_MARKET_TO_LIMIT
ORDER_TYPE_LIMIT
ORDER_TYPE_STOP
ORDER_TYPE_STOP_LIMIT
String

Response Updates - Cancel Reject

Parameter Description Type
cancel_reject Cancel Reject denotes a cancel or replace request that was rejected. Json
clord_id Client Order assigned ID. String
is_replace Settrue if order was replaced. Bool
order_id CLOB assigned orde ID. String
reject_reason Rejection reason
CXL_REJ_REASON_EXCHANGE_OPTION
CXL_REJ_REASON_UNKNOWN_ORDER
CXL_REJ_REASON_EXCHANGE_CLOSED
CXL_REJ_REASON_INCORRECT_QUANTITY
CXL_REJ_REASON_INVALID_PRICE_INCREMENT
CXL_REJ_REASON_PRICE_OUT_OF_BOUNDS
String
text Free format text String
transact_time Transaction Time string

Response Updates - Executions

Parameter Description Type
executions A list of executions involving the working order. Array
aggressor On fills,true if order is the agressing order, false if belonging to the passive order. Bool
commission_notional_collected The notional value of commissions collected as part of the execution.(Unscaled) String
id CLOB assigned ID for this execution. String
last_px - String
last_shares - String
order_reject_reason - String
text Free format text. String
trace_id CLOB trace identifier that resulted in this execution. String
trade_id On Fills, the trade id for this transaction String
transact_time Time of the transaction. String
type Order Type String
unsolicited_cancel_reason Reason for unsolicated cancel.
EXECUTION_TYPE_NEW
EXECUTION_TYPE_PARTIAL_FILL
EXECUTION_TYPE_FILL
EXECUTION_TYPE_CANCELED
EXECUTION_TYPE_REPLACE
EXECUTION_TYPE_REJECTED
EXECUTION_TYPE_EXPIRED
EXECUTION_TYPE_DONE_FOR_DAY
String

POST /orders/v1/insert_order

To place an order on the Zero Hash CLOB, you must pass the following parameters to the insert_order endpoint.

Sample Request

body = {
   "account":"firms/{FIRM-ID}/accounts/{ACCOUNT-ID}",
   "type":"ORDER_TYPE_LIMIT",
   "time_in_force":"TIME_IN_FORCE_GOOD_TILL_TIME",
   "side":"SIDE_SELL",
   "order_qty":"10000",
   "price":"23000",
   "symbol":"BTC/USD",
   "good_till_time":"2023-06-21T20:31:03Z"
}
send_signed_http_request('POST', '/orders/v1/insert_order', body)

Sample Response

{
  "order_id": "1670745028203638840"
}

Request

Parameter Description Type
account Account requesting the order. String
all_or_none Execute all order quantity or none Bool
best_limit A flag that if set indicates that the price of a limit order shall be set to the price at the top of the book on the same side as this order. Bool
cash_order_qty Fixed point decimal representation of the total cash order qty. String
client_account_id Client Account ID. String
client_participant_id Participant ID. String
clord_id Client Order ID String
good_till_time The time in which the order will expire. String
ignore_price_validity_checks Bypass price, order, and total notional limits.(Only allowed in case of market sell orders to support liquidation.) Bool
immediately_executable_limit A flag that if set indicates that the price of a limit order shall be set to the price at the top of the book on the opposing side as this order. String
min_qty Minimum quantity (optional for IOC time in force). String
order_capacity Order Capacity designates the capacity of the party placing an order.
ORDER_CAPACITY_UNDEFINED
ORDER_CAPACITY_AGENCY
ORDER_CAPACITY_PRINCIPAL
ORDER_CAPACITY_PROPRIETARY
ORDER_CAPACITY_INDIVIDUAL
ORDER_CAPACITY_RISKLESS_PRINCIPAL
ORDER_CAPACITY_AGENT_FOR_OTHER_MEMBER
String
order_qty Order Quantity String
participate_dont_initiate Set if immediate match is not desired Bool
side Side indicates the side of an Order.
SIDE_BUY
SIDE_SELL
String
stop_price Stop Price of the Order String
strict_limit Set if this particular order must be filled at the exact limit price specified without price improvement Bool
symbol The Trading Pair. String
symbol_sub_type String
time_in_force The orders Time in force.
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
TIME_IN_FORCE_DAY
String
trigger_method ConditionTriggerMethod is the methodology used to trigger an order for insertion onto the book.
CONDITION_TRIGGER_METHOD_LAST_PRICE
CONDITION_TRIGGER_METHOD_SETTLEMENT_PRICE
String
type Indicates the type of an order.
ORDER_TYPE_MARKET_TO_LIMIT
ORDER_TYPE_LIMIT
ORDER_TYPE_STOP
ORDER_TYPE_STOP_LIMIT
String
user String

Response

Parameter Description Type
order_id CLOB assignedorder_id string

POST /orders/v1/cancel_order

To cancel an order on the Zero Hash CLOB, you must pass the following parameters to the cancel_order endpoint.

Sample Request

body = {
    "order_id":"1670745028203638840"
}
send_signed_http_request('POST', '/orders/v1/cancel_order', body)

Sample Response

{}

Request

Parameter Description Type
order_id ID of the order to be canceled string

Response

Parameter Description Type
order_id ID of the order to be canceled string

POST /orders/v1/list_instruments

This endpoint returns a list of the trading instruments available in the CLOB and their trading parameters.

Sample Request

send_signed_http_request('POST', '/orders/v1/list_instruments', {})

Sample Response

{
  "instruments": [
    {
      "symbol": "BTC/USD",
      "tick_size": 0.01,
      "base_currency": "USD",
      "multiplier": 1,
      "minimum_trade_qty": "1",
      "start_date": {
        "year": 1970,
        "month": 1,
        "day": 1
      },
      "expiration_date": null,
      "termination_date": null,
      "trading_schedule": [
      ],
      "description": "Bitcoin USD Spot",
      "clearing_house": "firms/YDB0D6",
      "minimum_unaffiliated_firms": "0",
      "forex_attributes": {
        "base_currency": "BTC",
        "quote_currency": "USD"
      },
      "non_tradable": false,
      "product_id": "BTC",
      "price_limit": {
        "low": "0",
        "high": "0",
        "low_set": false,
        "high_set": false,
        "relative_low": "NaN",
        "relative_high": "NaN",
        "relative_low_set": false,
        "relative_high_set": false
      },
      "order_size_limit": {
        "low": "0",
        "high": "0",
        "low_set": false,
        "high_set": false,
        "total_notional_low": "10000000000",
        "total_notional_high": "5000000000000000",
        "total_notional_low_set": true,
        "total_notional_high_set": true
      },
      "cross_order_resting_duration": null,
      "expiration_time": null,
      "trade_settlement_period": "1",
      "holiday_calendars": [
      ],
      "fractional_qty_scale": "100000000",
      "metadata": {
      },
      "state": "INSTRUMENT_STATE_OPEN",
      "position_limit": "0",
      "last_trade_date": null,
      "last_trade_time": null,
      "price_scale": "100"
    }
  ],
  "next_page_token": "643538bb35cbd2a93099ae14",
  "eof": true
}

Request

Parameter Description Required Type
page_size The maximum number of Instruments to return in a response. -
String
page_token A pagination token returned from a previous call
tolist_instruments - String
product_id - String
symbols List of Symbols to return in the response. - Array
tradable_filter
TRADABLE_FILTER_UNSET
TRADABLE_FILTER_UNSET
TRADABLE_FILTER_TRADABLE
-
String

Response

Parameter Description Type
base_currency String
description String
fractional_qty_scale String
minimum_trade_qty String
multiplier Integer
order_size_limit Order Size limit parameters of the CLOB String
price_limit Price limit parameters of the CLOB Json
price_scale The scale applied to an instruments price in order to represent
prices as fixed point decimals. String
product_id ID of the instrument. String
state Instrument State String
symbol Trading Symbol String
tick_size Instrument Tick size. String

POST /orders/v1/get_trade_stats

This endpoint returns a list of trading stats for a given symbol.

Sample Request

body = {
   "bars":0,
   "end_time":"2023-06-21T21:19:26Z",
   "start_time":"2023-06-12T20:08:12.407Z",
   "symbol":"BTC/USD"
}
send_signed_http_request('POST', '/orders/v1/get_trade_stats', {})

Sample Response

{
  "stats": {
    "first": "2581860",
    "last": "2889568",
    "high": "2889568",
    "low": "2549819",
    "total_trade_count": "67",
    "cleared_trade_count": "55",
    "volume": "712094818",
    "cleared_volume": "462910677",
    "notional": "1843085487491258",
    "cleared_notional": "1195355767917713"
  },
  "bars": [
    {
      "first": "2581860",
      "last": "2889568",
      "high": "2889568",
      "low": "2549819",
      "total_trade_count": "67",
      "cleared_trade_count": "55",
      "volume": "712094818",
      "cleared_volume": "462910677",
      "notional": "1843085487491258",
      "cleared_notional": "1195355767917713"
    }
  ],
  "bar_start_time": [
    "2023-06-12T20:08:12.407Z"
  ],
  "bar_end_time": [
    "2023-06-21T21:15:36Z"
  ]
}

Request

Parameter Description Required Type
bars - Int
end_time Filter End Time. - String
start_time Filter Start Time. - String
symbol Trading Instrument. - String

Response

Parameter Description Type
bars The stats calculated in the given time window, split into individual time slices. Array
cleared_notional Total notional of cleared trades in specified time. String
cleared_trade_count The number of cleared trades. String
cleared_volume Total volume of assets cleared.
first First Traded Price String
high Highest Traded Price String
last Last Traded Price String
low Lowest Traded Price String
notional Total notional Traded in specified time. String
total_trade_count Count of Trades in specified time. String
volume Total shares traded in specified time.
end_time Filter End Time. String
start_time Filter Start Time. String
symbol Trading Instrument. String

Convert and Withdraw

GET /convert_withdraw/rfq

const getQuote = () => {
  const body = '{}'
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/convert_withdraw/rfq?underlying=ETH&quoted_currency=USD&side=buy&total=10&withdrawal_address=address&participant_code=TEST_USER&spread=50' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/convert_withdraw/rfq?underlying=ETH&quoted_currency=USD&side=buy&total=10&withdrawal_address=address&participant_code=TEST_USER&spread=50`,
    options
  )
}
accounts = make_seed_request('GET', f'/convert_withdraw/rfq?underlying=ETH&quoted_currency=USD&side=buy&total=10&withdrawal_address=address&participant_code=TEST_USER&spread=50')

Sample Response

{
  "message": {
    "request_id": "bc67cebd-fc97-46a9-b72d-154674baceb4",
    "participant_code": "TEST_USER",
    "quoted_currency": "USD",
    "side": "buy",
    "quantity": "0.0052344174872686",
    "price": "1910.4322542713639487",
    "quote_id": "f9b0dd5d-5e35-419e-b9bf-bb108459b972",
    "expire_ts": 1699462307942,
    "account_group": "00SCXM",
    "account_label": "general",
    "obo_participant": {
      "participant_code": "TEST_USER",
      "account_group": "TEST_USER",
      "account_label": "general"
    },
    "network_fee_notional": "0.06",
    "network_fee_quantity": "0.000031500000252",
    "total_notional": "10.06",
    "underlying": "ETH",
    "asset_cost_notional": "10",
    "spread_notional": "0.05",
    "spread_bps": "50"
  }
}

Returns a quote for the asset purchase amount and also the network fee associated with an eminent withdrawal.

Zero Hash supports quotes in the range of $0.01 to $500,000.00. For more details on our Maximum & Minimum thresholds on RFQ, please visit here.

Query parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ string
participant_code The identifier of the participant making the quote request string
quoted_currency The asset code for the quoted currency, e.g.USD string
side The participant side of the quote -buy or sell string
quantity The amount of the quoted currency string
price The cost per unit of underlying currency string
quote_id The identifier for the quote
Note: this is required to execute the quote
string
expire_ts Timestamp when the quote will expire timestamp
account_group The group that the account is a part of string
account_label Theaccount label associated with the account string
obo_participant on behalf of participant is the details of the participant benefiting the trade if not the submitter object
network_fee_notional fee notional in the currency quoted on the RFQ string
network_fee_quantity fee quantity in the underlying asset string
total_notional The calculation: (price * quantity) + (network_fee_notional * network_fee_quantity) string
underlying The asset code for the underlying currency, e.g.BTC string

POST /convert_withdraw/rfq

const getQuote = () => {
  const body = '{"underlying": "ETH", "quoted_currency": "USD", "side": "buy", "total": "10", "withdrawal_address": "address", "participant_code": "TEST_USER", "spread": "50", "fees": [{"name": "fee-1", "amount": "0.01"}, {"name": "fee-2", "amount": "0.02"}], "payment_processor": {"name": "payment processor name", "id": "payment processor id"}}'
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/convert_withdraw/rfq' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/convert_withdraw/rfq`,
    options
  )
}
body = {
    "side": "buy",
    "underlying": "ETH",
    "quoted_currency": "USD",
    "quantity": "0.03",
    "withdrawal_address": "address",
    "participant_code": "TEST_USER",
    "fees": [
        {
          "name": "test-fee-1", 
          "amount": "0.10"
        },
        {
          "name": "test-fee-2", 
          "amount": "0.10"
        }
    ],
    "payment_processor": {
        "name": "payment processor name",
        "id": "payment processor id"
    }
}
accounts = make_seed_request('POST', f'/convert_withdraw/rfq', body)

Sample Response

{
  "message": {
    "request_id": "3c6a7026-b020-42d9-bb28-e6712ff3f7e1",
    "quote": {
      "request_id": "563495b5-a0a9-4b70-b196-7021ea755a11",
      "participant_code": "TEST_USER",
      "quoted_currency": "USD",
      "side": "buy",
      "quantity": "0.03",
      "price": "2263.28347130886",
      "quote_id": "3e1b42ac-d5ee-45c6-9120-b8104a1e7f91",
      "expire_ts": 1701707459837,
      "account_group": "00SCXM",
      "account_label": "general",
      "obo_participant": {
        "participant_code": "TEST_USER",
        "account_group": "TEST_USER",
        "account_label": "general"
      },
      "network_fee_notional": "0.07",
      "network_fee_quantity": "0.0000315000004536",
      "total_notional": "68.17",
      "underlying": "ETH",
      "asset_cost_notional": "67.9",
      "spread_notional": "1.1349799118658",
      "spread_bps": "170",
      "fees": [
        {
          "name": "fee-1",
          "amount": "0.10"
        },
        {
          "name": "fee-2",
          "amount": "0.10"
        }
      ],
      "transaction_timestamp": 1701707455236
    },
    "trade_id": "052d3f73-7b64-4dc4-add0-4d4f97fd7a39",
    "status": "Completed",
    "trade_ids_list": [
      "052d3f73-7b64-4dc4-add0-4d4f97fd7a39"
    ],
    "withdrawal_request_id": "30e01236-0ec4-4625-98c5-72f6a9b58451",
    "payment_processor": {
      "name": "payment processor name",
      "id": "payment processor id"
    }    
  }
}

Returns a quote for the asset purchase amount and also the network fee associated with an eminent withdrawal.

Zero Hash supports quotes in the range of $0.01 to $500,000.00. For more details on our Maximum & Minimum thresholds on RFQ, please visit here.

Query parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ string
participant_code The identifier of the participant making the quote request string
quoted_currency The asset code for the quoted currency, e.g.USD string
side The participant side of the quote -buy or sell string
quantity The amount of the quoted currency string
price The cost per unit of underlying currency string
quote_id The identifier for the quote
Note: this is required to execute the quote
string
expire_ts Timestamp when the quote will expire timestamp
account_group The group that the account is a part of string
account_label Theaccount label associated with the account string
obo_participant on behalf of participant is the details of the participant benefiting the trade if not the submitter object
network_fee_notional fee notional in the currency quoted on the RFQ string
network_fee_quantity fee quantity in the underlying asset string
total_notional The calculation: (price * quantity) + (network_fee_notional * network_fee_quantity) string
underlying The asset code for the underlying currency, e.g.BTC string
payment_processor The name and id of the payment processor object

POST /convert_withdraw/execute

const executeQuote = (id: string) => {
  const body = '{ "quote_id":' + id + '}'
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/convert_withdraw/execute' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/convert_withdraw/execute`,
    options
  )
}
accounts = make_seed_request('POST', '/convert_withdraw/execute', {"quote_id": id})

Sample Response

{
  "message": {
    "request_id": "fd4e6d89-8302-4138-8546-ded5d285e2b3",
    "quote": {
      "request_id": "82041737-db0d-417a-9702-b7e302ded74a",
      "participant_code": "TEST_USER",
      "quoted_currency": "USD",
      "side": "buy",
      "quantity": "0.001",
      "price": "1644.4414765625",
      "quote_id": "b666594f-0b6f-4979-b3d7-46d5727124f2",
      "expire_ts": 1694119245469,
      "account_group": "00SCXM",
      "account_label": "general",
      "obo_participant": {
        "participant_code": "TEST_USER",
        "account_group": "TEST_USER",
        "account_label": "general"
      },
      "network_fee_notional": "0.05",
      "network_fee_quantity": "0.0000315000002268",
      "total_notional": "1.69",
      "underlying": "ETH",
      "asset_cost_notional": "1.64",
      "transaction_timestamp": 1694119240807
    },
    "trade_id": "e5886d46-eceb-4f2b-b7d2-a599240e35ae",
    "status": "Completed",
    "trade_ids_list": [
      "e5886d46-eceb-4f2b-b7d2-a599240e35ae"
    ],
    "withdrawal_request_id": "53295c6a-79f4-4797-be05-b628b59dfb7f"
  }
}

Executes the quote identified by quote_id. The completed trade is submitted to settlement via the 00SCXM platform.

Body parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ. string
quote The quote object that was executed. quote
trade_id The unique identifier assigned to the trade, which is the sametrade_id as found in a GET /trades request
Note: the quote_id will be saved as the client_trade_id.
string
status The status of the trade, e.g.Completed. string

Payments

POST /payments

const createPayment = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const body = {
    participant_code: 'ALI123',
    external_account_id: '0f68333e-2114-469d-b505-c850d776e063',
    trade_id: '0f68333e-2114-469d-b505-c850d776e061',
    description: 'payment'
  }
  const payload = timestamp + 'POST' + '/payments/external_accounts' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/payments`, options)
}
body = {
  'participant_code': 'ALI123',
  'external_account_id': '0f68333e-2114-469d-b505-c850d776e063',
  'trade_id': '0f68333e-2114-469d-b505-c850d776e061',
  'description': 'payment'
}
accounts = make_seed_request('POST', '/payments', body)

Sample response

{
  "request_id": "0f68333e-2114-469d-b505-c850d776e063",
  "participant_code": "ALI123",
  "transaction_id": "0f68333e-2114-469d-b505-c850d776e061",
  "trade_id": "0f68333e-2114-469d-b505-c850d776e061",
  "description": "payment",
  "amount": "7.66",
  "status": "posted",
  "transfer_type": "credit",
  "external_account_id": "0f68333e-2114-469d-b505-c850d776e063",
  "created_at": "2023-08-19T23:15:31.000Z"
}

This endpoint enables platforms to request an ACH transaction for the end customer. Zero Hash will release crypto to the end customer once their funds have settled. Platforms must work with their relationship manager to opt-in to same day or standard ACH.

Request body:

Parameter Description Type
participant_code The code of the participant that wants to create a new ACH transaction. string
external_account_id The unique identifier that Zero Hash generates to identify the external account. Received from POST/payments/external_accounts string
trade_id The unique identifier of the trade acquired through GET /liquidity/rfq . Required if making an on-demand trade, not required if pre-funding an account. string
description Descriptor that travels with the ACH transaction, e.g.“CRYPTO TRD”, optional and limited to 10 characters. (10 character limit string) string

Additional fields in response:

Parameter Description Type
request_id The unique identifier generated by Zero Hash associated with the request. string
amount The final amount of the ACH transaction. string
transaction_id The unique identifier generated by Zero Hash for the transaction. string
status The current status of the payment transaction. string
transfer_type Indicates if the payment is a credit or a debit. string
created_at Timestamp when the payment was created. string

POST /payments/external_accounts

const createExternalAccount = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const body = {
    participant_code: 'ALI123',
    account_nickname: 'test1',
    account_number: '123456789',
    routing_number: '011401533',
    account_type: 'checking'
  }
  const payload = timestamp + 'POST' + '/payments/external_accounts' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    `https://api.zerohash.com/payments/external_accounts`,
    options
  )
}
body = {
  'participant_code': 'ALI123',
  'account_nickname': 'test1',
  'account_number': '123456789',
  'routing_number': '011401533',
  'account_type': 'checking'
}
accounts = make_seed_request('POST', '/payments/external_accounts', body)

Sample response

{
  "request_id": "0f68333e-2114-469d-b505-c850d776e063",
  "participant_code": "ALI123",
  "platform_code": "TES123",
  "account_nickname": "test1",
  "account_type": "checking",
  "external_account_id": "0f68333e-2114-469d-b505-c850d776e063",
  "created_at": "1975-08-19T23:15:30.000Z"
}

Creates a new external account object that is required when generating payment transactions.

Request body:

Parameter Description Type
participant_code The participant code of the Platform’s participant that the external account will be associated with. string
account_nickname The account nickname of the external account, i.e. “Primary Checking” string
account_number The full bank account number of the external account. string
routing_number The routing number of the bank where the external account is held. string
account_type Either “checking” or “savings” and indicates what type of account the external account is. string

Additional fields in response:

Parameter Description Type
external_account_id The unique identifier that Zero Hash generates to identify the external account. string

GET /payments/external_accounts

const getExternalAccounts = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const participantCodes = 'ALI123,TES123'
  const payload = `${timestamp}GET/payments/external_accounts?participants=${participantCodes}&page=1&size=20{}`
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/payments/external_accounts?participants=ALI123,TES123&page=1&size=20`,
    options
  )
}
accounts = make_seed_request('GET', '/payments/external_accounts', {'participants': 'ALI123,TES123', 'page': 1, 'size': 20})

Sample response

{
  "message": [
    {
      "request_id": "0f68333e-2114-469d-b505-c850d776e063",
      "account_number": "123456789",
      "routing_number": "011401533",
      "participant_code": "ALI123",
      "platform_code": "TES123",
      "account_nickname": "test1",
      "account_type": "checking",
      "external_account_id": "0f68333e-2114-469d-b505-c850d776e063",
      "created_at": "1975-08-19T23:15:30.000Z",
      "updated_at": "1975-08-19T23:15:30.000Z"
    }
  ],
  "page": 1,
  "total_pages": 1,
  "page_size": 20,
  "count": 10
}

Used to get a list of external_accounts associated with a Platform’s participants.

Query parameters include:

Response:

Parameter Description Type
request_id The unique identifier generated by Zero Hash associated with the request. string
participant_code The participant code of the Platform’s participant that the external account will be associated with. string
account_nickname The account nickname of the external account, i.e. “Primary Checking” string
account_number The full bank account number of the external account. string
routing_number The routing number of the bank where the external account is held. string
account_type Accepts either “checking” or “savings” and indicates what type of account the external account is. string
external_account_id The unique identifier that Zero Hash generates to identify the external account. string

GET /payments/status

const getPaymentStatus = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = `${timestamp}GET/payments/status{}`
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    json: true
  }

  return request.get(`https://api.zerohash.com/payments/status`, options)
}
status = make_seed_request('GET', '/payments/status', {})

Sample response

{
  "message": [
    {
      "transaction_id": "0f68333e-2114-469d-b505-c850d776e061",
      "participant_code": "ALI123",
      "amount": "12.01",
      "status": "posted",
      "transfer_type": "credit",
      "bank_transfer_id": "0f68333e-2114-469d-b505-c850d776e061",
      "created_at": "1975-08-19T23:15:30.000Z",
      "updated_at": "1975-08-19T23:15:30.000Z",
      "trade_status": "completed"
    }
  ],
  "page": 1,
  "total_pages": 1,
  "page_size": 200,
  "count": 10
}

This is an endpoint that a Platform can use to get the current status of payment transactions.

Query parameters include:

Response:

Parameter Description Type
transaction_id The unique identifier generated by Zero Hash for the transaction. string
trade_id If the payment is associated with a trade a trade_id will be present here otherwise it will be Null. string
trade_status If the payment is associated with a trade, the status of the trade will be present here otherwise it will be Null. string
participant_code The Platform’s participant that the payment is associated with. string
amount The final amount of the ACH transaction. string
status The current status of the payment transaction. Click here for more details on payment transaction statuses. string
transfer_type Indicates if the payment is a credit or a debit. string
bank_transfer_id A unique identifier that can be used to trace the transaction. string
created_at Timestamp when the payment was created. timestamp
updated_at Timestamp when the payment status was last changed. timestamp

GET /payments/history

const getPaymentHistory = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const participantCode = 'ALI123'
  const payload = `${timestamp}GET/payments/history?participant=${participantCode}&page=1&size=20{}`
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/payments/history?participant=ALI123&page=1&size=20`,
    options
  )
}
history = make_seed_request('GET', '/payments/history', {'participant': 'ALI123', 'page': 1, 'size': 20})

Sample response

{
  "message": [
    {
      "transaction_id": "0f68333e-2114-469d-b505-c850d776e061",
      "participant_code": "ALI123",
      "external_account_id": "0f68333e-2114-469d-b505-c850d776e063",
      "amount": "12.01",
      "bank_fee": "12.01",
      "ach_network": "ach",
      "transfer_type": "credit",
      "status_history": [
        {
          "status": "posted",
          "timestamp": "1975-08-19T23:15:30.000Z"
        }
      ],
      "trade_id": "0f34533e-2114-469d-b505-c850d776e061",
      "bank_transfer_id": "0f68333e-2114-469d-b505-c850d776e061",
      "created_at": "1975-08-19T23:15:30.000Z",
      "updated_at": "1975-08-19T23:15:30.000Z"
    }
  ],
  "page": 1,
  "total_pages": 1,
  "page_size": 20,
  "count": 10
}

Platforms can use this endpoint to get extended details about payment transactions which includes the full status change history.

Query parameters include:

Response:

Parameter Description Type
transaction_id The unique identifier generated by Zero Hash for the transaction. string
trade_id Is returned if the payment is associated with a trade otherwise will be Null. string
participant_code The Platform’s participant that the payment is associated with. string
external_account_id The external account that is associated with the payment. string
amount The final amount of the ACH transaction. string
bank_fee The fee amount that the Platform is wanting to charge the participant for the payment. string
ach_network The network that the payment is being transmitted. string
status_history The list of status objects, showing the history of status changes.
  • Status - the current status of the payment transaction. Click here for more details on payment transaction statuses
  • Timestamp - the timestamp that the status change occurred.
array
transfer_type Indicates if the payment is a credit or a debit. string
bank_transfer_id The unique identifier that can be used to trace the transaction. string
created_at The timestamp when the payment was created. timestamp
updated_at The timestamp when the payment status was last changed. timestamp

Payments Transaction Status

Status Description
submitted Payment transaction request has been successfully received by Zero Hash.
pending The payment has been created and is awaiting confirmation by the appropriate payment network that it has settled. Depending on the payment network the transaction can sit in a pending status for different periods of time.
posted The payment has been successfully sent to the receiving bank account.
failed The sending of the payment failed. This status would only occur after the transaction goes to a pending status.
reversed The payment was returned which can happen for different reasons such as inaccurate receiving bank details or the transaction was deemed unauthorized. This would only follow a transaction that has gone to a posted status.

Rewards

POST /rewards

const issueReward = (customer: string, asset: string, notional: string) => {
  const body = `{
    underlying: ${underlying},
    quoted_currency: 'USD',
    total: ${notional}
    participant_code: ${customer}
  }`
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/rewards' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/rewards`, options)
}
body = {
    'underlying': 'BTC',
    'quoted_currency': 'USD',
    'total': "500.00",
    'participant_code': 'CUST01'
}

accounts = make_seed_request('POST', '/rewards', body)

Sample Response

{
  "request_id": "14f8ebb8-7530-4aa4-bef9-9d73d56313f3",
  "quote": {
    "request_id": "ce819fe8-b1d7-43bb-961c-e09ede0988d3",
    "participant_code": "CUST01",
    "underlying_currency": "BTC",
    "quoted_currency": "USD",
    "side": "BUY",
    "quantity": "1",
    "price": "11430.90",
    "quote_id": "5cd07738b861c31e3bd61467BTC1Buy1568311644602",
    "expire_ts": 1568311649602,
    "obo_participant": {
      "participant_code": "20XRLH",
      "account_group": "WRD1K0",
      "account_label": "general"
    },
    "transaction_timestamp": 1568311649600
  },
  "trade_id": "ba97133e-ab15-4c86-86c1-86671b8420bc",
  "status": "Completed"
}

Executes a trade to issue a reward in a certain asset. See one-pager here for more details.

Optional request header include:

Parameter Description Type
X-REQUEST-ID Include a X-REQUEST-ID in the request header to ensure idempotent rewards requests UUID

Body parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ string
quote The quote object that was executed quote
trade_id The unique identifier assigned to the trade, which is the sametrade_id as found in a GET /trades request
Note: the quote_id will be saved as the client_trade_id
string
status The status of the trade, e.g.Completed string

Awards

These endpoints can be used to facilitate Awards payments as part of a promotional program, prize pool, bonus pool, giveaway, etc. See release notes here for more information

POST /awards/fund

Specify the amount, quoted currency, and asset that you intend to ultimately distribute to your customers via the POST /awards/distribute endpoint.

const fundAwards = (asset: string, notional: string) => {
  const body = `{
    asset: ${asset},
    total: ${notional}
  }`
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/awards' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/awards/fund`, options)
}
body = {
    'asset': 'BTC',
    'total': "500.00",
}

awards = make_seed_request('POST', '/awards/fund', body)

Sample Response

{
  "request_id": "14f8ebb8-7530-4aa4-bef9-9d73d56313f3",
  "quote": {
    "request_id": "ce819fe8-b1d7-43bb-961c-e09ede0988d3",
    "participant_code": "CUST01",
    "underlying_currency": "BTC",
    "quoted_currency": "USD",
    "side": "BUY",
    "quantity": "1",
    "price": "11430.90",
    "quote_id": "5cd07738b861c31e3bd61467BTC1Buy1568311644602",
    "expire_ts": 1568311649602,
    "transaction_timestamp": 1568311649600
  },
  "trade_id": "ba97133e-ab15-4c86-86c1-86671b8420bc",
  "status": "Completed"
}

Body parameters include:

Response:

Parameter Description Type
request_id The identifier of the RFQ string
quote The quote object that was executed quote
trade_id The unique identifier assigned to the trade, which is the sametrade_id as found in a GET /trades request
Note: the quote_id will be saved as the client_trade_id
string
status The status of the trade, e.g.Completed string

POST /awards/distribute

Evenly distribute the purchased crypto among the specified customers.

const distributeAwards = (
  asset: string,
  quantity: string,
  customer_participant_codes: string[],
  quotedCurrency: string
) => {
  const body = `{
    asset: ${asset},
    quantity: ${quantity}
    participant_codes: ${customer_participant_codes},
    quoted_currency: ${quotedCurrency}
  }`
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/awards' + body
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(`https://api.zerohash.com/awards/distribute`, options)
}
body = {
    'asset': 'BTC',
    'quantity': ".001",
    'participant_codes': [
      'CUST01',
      'CUST02',
    ],
    'quoted_currency': 'USD'
}

awards = make_seed_request('POST', '/awards/distribute', body)

Sample Response

{
  "request_id": "14f8ebb8-7530-4aa4-bef9-9d73d56313f3",
  "confirms": [
    {
      "participant_code": "CUST01",
      "trade_id": "ce819fe8-b1d7-43bb-961c-e09ede0988d3"
    },
    {
      "participant_code": "CUST02",
      "trade_id": "ba97133e-ab15-4c86-86c1-86671b8420bc"
    }
  ]
}

Body parameters include:

Response:

Parameter Description Type
request_id The identifier of the request string
confirms A list of participant_code plus trade identifiers for the executed trades confirm confirm

Market Data

GET /market_data/ohlcv

Sample Response

{
  "message": [
    {
      "time": 1683065100,
      "high": 28730.35,
      "low": 28710.94,
      "open": 28711.99,
      "underlying_volume": 7.682,
      "quoted_volume": 220637.37,
      "close": 28724.54,
      "average_transaction_price": 28721.34
    }
  ]
}

Query for the historical data of open, high, low, close, underlying_volume and quoted_volume.

The following query parameters are required:

Parameter Description Type
underlying First symbol in a pair String
quoted_currency Second symbol in a pair. Usually a fiat currency -USD, BRL, AUD, GBP or EUR String
time_frame Specifies the OHLCV intervals -minute, hourly or daily String
limit Limit to how much data will be returned, max 2000 Integer
data_end_date Pulls all available data until this date. Limit 2000 datapoints at a time. Use this to pull all available historical data by moving this date back. Timestamp
all_data Applies only to thedaily time frame. Pulls all available historical data Bool

GET /market_data/news/latest

Sample Response

[
  {
    "publishedOn": {
      "seconds": 1684928,
      "nanos": 819000000
    },
    "imageUrl": "/resources/news/21/example.jpeg",
    "title": "Example Title",
    "url": "https://www.externalsource.com/all/article_url/",
    "body": "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur.",
    "tagsList": [
      "All"
    ],
    "language": "EN",
    "upVotes": 2,
    "downVotes": 5,
    "categoriesList": [
      "MARKET|BTC"
    ],
    "sourceInfo": {
      "name": "ExampleSource",
      "img": "/images/news/default/example.png",
      "language": "EN"
    },
    "source": "exampleSource"
  }
]

Query for the latest Market News Articles.

Query Parameters

Parameter Description Type
news_source Publisher of the article. Available sources can be found inGET /marketdata/news/feeds. Array
categories Filter by category. Available categories can be found atGET /marketdata/news/categories. Array
exclude_categories Categories to exclude. Array
lookback Pulls news articles before this timestamp. string
language Filter by using ‘EN’ for English or ‘PT’ for Portuguese. string
sort_by ‘latest’ or ‘popular’ string

Latest News Articles Response:

Parameter Description Type
published_on Timestamp when the article was published timestamp
image_url Can be sent to theGET /market_data/image endpoint to get the image content. string
title Article title string
url Link to news article string
body Text of the article string
tags Associated tags array
language English (EN) or Portuguese (PT) string
up_votes Number of upvotes for article number
down_votes Number of downvotes for article number
categories Associated categories with the article. Availalbe categories can be accessed via GET /marketdata/news/categories array

GET /market_data/news/feeds

Sample Response

[
  {
    "key": "examplekey",
    "newsSource": "ExampleSource",
    "img": "/images/news/default/example.png",
    "language": "EN"
  }
]

Query for the available Market News Feeds.

This endpoint receives no parameters.

Market News Feeds Response

Parameter Description Type
key Name of news feed string
news_source Source of news feed string
img Can be added at the end of theGET /market_data/image endpoint to get the image content string
language Language of the article, English (EN) or Portuguese (PT) string

GET /market_data/news/categories

Sample Response

[
  {
    "categoryName": "DOGE",
    "wordsAssociatedWithCategoryList": [
      "DOGE",
      "DOGECOIN"
    ]
  }
]

Query for the available Market News Categories.

Returns a list of available categories, to be used in GET /news/latest query.

This endpoint receives no parameters.

Market News Categories Response

Parameter Description Type
category_name Name of category string
words_associated_with_category Additional words associated with each category string

GET /market_data/symbol_data

Sample Response

[
  [
    "BTC",
    {
      "marketDataMap": [
        [
          "EUR",
          {
            "underlyingSymbol": "BTC",
            "quotedSymbol": "EUR",
            "price": {
              "value": "24774.07"
            },
            "lastTimestamp": {
              "seconds": 1684931,
              "nanos": 317000000
            },
            "median": {
              "value": "24763.233"
            },
            "lastVolume": {
              "value": "0.00665944"
            },
            "lastUnderlyingVolume": {
              "value": "164.86775608"
            },
            "lastTradeId": "286032218",
            "dayUnderlyingVolume": {
              "value": "1730.2752600699723"
            },
            "dayQuotedVolume": {
              "value": "43002041.91778815"
            },
            "h24UnderlyingVolume": {
              "value": "3095.34965215"
            },
            "h24QuotedVolume": {
              "value": "77536066.6513729"
            },
            "dayOpen": {
              "value": "25273.27"
            },
            "dayHigh": {
              "value": "25275.13"
            },
            "dayLow": {
              "value": "24720.58"
            },
            "h24Open": {
              "value": "25353.18"
            },
            "h24High": {
              "value": "25395.88"
            },
            "h24Low": {
              "value": "24706.05"
            },
            "hourUnderlyingVolume": {
              "value": "94.92060853000024"
            },
            "hourQuotedVolume": {
              "value": "2351647.5504815634"
            },
            "hourOpen": {
              "value": "24821.51"
            },
            "hourHigh": {
              "value": "24822.2"
            },
            "hourLow": {
              "value": "24752.67"
            },
            "h24Change": {
              "value": "-579.1100000000006"
            },
            "h24PctChange": {
              "value": "-2.2841710586206565"
            },
            "dayChange": {
              "value": "-499.2000000000007"
            },
            "dayPctChange": {
              "value": "-1.9752093812949443"
            },
            "hourChange": {
              "value": "-47.43999999999869"
            },
            "hourPctChange": {
              "value": "-0.19112455285757673"
            },
            "supply": 19382375,
            "mktcap": {
              "value": "480180315016.25"
            },
            "circulatingSupply": 19382375,
            "circulatingSupplyMktcap": {
              "value": "480180315016.25"
            },
            "h24UnderlyingTotalVolume": {
              "value": "81816.23700409418"
            },
            "h24QuotedTotalVolume": {
              "value": "2027772840.3705523"
            },
            "imageUrl": "//media/37746251/btc.png"
          }
        ],
        [
          "USD",
          {
            "underlyingSymbol": "BTC",
            "quotedSymbol": "USD",
            "price": {
              "value": "26725.97"
            },
            (...)
          }
        ]
      ]
    }
  ]
]

Query for the available Full Symbol Data. Can query for one or multiple underlying/quoted assets.

Response contains symbol data for all underlying/quoted pairs.

Full Symbol Data Request

Parameter Description Required Type
underlying First symbol in a pair. yes array
quoted_currency Second symbol in a pair, often a fiat currency. yes array

Full Symbol Data Response

Parameter Description Type
underlying first symbol in a pair string
quoted_currency second symbol in a pair, often a fiat currency string
price current price of the underlying / quoted pair float
last_timestamp most recent timestamp associated with the price timestamp
median average price float
last_underlying_volume most recent volume stated in the underlying float
last_quoted_volume most recent volume stated in the quoted_currency float
last_trade_id most recent trade ID string
day_underlying_volume day volume stated in the underlying float
day_quoted_volume day volume stated in the quoted_currency float
h24_underlying_volume hour volume stated in the underlying float
h24_quoted_volume hour volume stated in the quoted_currency float
day_open open price for the day float
day_high high price for the day float
day_low low price for the day float
h24_open 24 hour opening price float
h24_high 24 hour high price float
h24_low 24 hour low price float
hour_underlying_volume hour volume stated in the underlying float
hour_quoted_volume hour volume stated in the quoted_currency float
hour_open hour opening price float
hour_high hour high price float
hour_low hour low price float
h24_change 24 hour price change float
h24_pct_change 24 hour percent change float
day_change daily price change float
day_pct_change daily percent change float
hour_change hour price change float
hour_pct_change hour percent change float
supply total supply for the underlying float
mktcap total market capitalization float
circulating_supply the current supply of coins available to the public float
circulating_supply_mktcap the current supply of coins available to the public, stated in the quoted_currency float
h24_underlying_total_volume 24 hour total volume stated in the underlying float
h24_quoted_total_volume 24 hour total volume stated in the quoted_currency float
image_url Underlying asset image. Can be sent to theGET /market_data/image endpoint to get the image content string

GET /market_data/image/*

Sample Requests

Receives an image path, returns image content at the path in bytes.

Image paths are returned by Market Data endpoints, in the following format:

"/source/subpath1/subpath2/.../image.jpeg"

Example of real path: "/resources/news/64/12223.jpeg"

Paths can be added at the end of this endpoint to fetch the image.

GET /market_data/image + /resources/news/64/12223.jpeg

This endpoint receives no query parameters.

Fund

POST /fund/rfq

Sample Request

const postFundRfq = () => {
  const body = {
    "participant_code": "AAAAAA",
    "fund_asset": "USDC",
    "account_label": "general"
  }

  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'POST' + '/fund/rfq' + JSON.stringify(
    body)
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.post(
    'https://api.zerohash.com/fund/rfq',
    options
  )
}

Sample Response

{
  "message": {
    "request_id": "5132a38b-c0e2-4bb1-a1c2-0fa49dbea28f",
    "participant_code": "AAAAAA",
    "fund_asset": "USDC.ETH",
    "rate": "1",
    "quoted_currency": "USD",
    "expiry_timestamp": 1708972183909,
    "deposit_address": "0x34935A4404167BE148006c4025581Fa7c224a150"
  }
}

Allows a platform to retrieve a quote for a fund event. If a deposit address does not already exist for the participant_code and asset provided, a new one will be created.

Parameter Description Type
participant_code End customer's participant code string
fund_asset The crypto asset that is sent by the end customer in order to fund an account string
account_label Allows a platform to specify an account_label where all subsequent deposits will be credited to string

Response:

Parameter Description Type
participant_code End customer's participant code string
fund_asset The crypto asset that is sent by the end customer in order to fund an account string
rate The rate at which the fund_asset may be liquidated at if deposited before the expiry_timestamp string
quoted_currency The asset that the provided funding_rate is denominated in, and will ultimately be converted into automatically upon a deposit string
expiry_timestamp The maximum timestamp that the fund_asset must be deposited by in order to be liquidated at the funding_rate timestamp
request_id The unique identifier associated with the quote string
deposit_address The address that the end customer may deposit the crypto asset to in order to complete the fund event string
account_label The account_label where all subsequent deposits will be credited to string

GET /fund/transactions

Sample Request

const getFundTransactions = () => {
  const timestamp = Math.round(Date.now() / 1000)
  const payload = timestamp + 'GET' + '/fund/transactions' + '{}'
  const decodedSecret = Buffer.from(apiSecret, 'base64')
  const hmac = crypto.createHmac('sha256', decodedSecret)
  const signedPayload = hmac.update(payload).digest('base64')

  // SET HEADERS
  const headers = {
    'X-SCX-API-KEY': 'public_key',
    'X-SCX-SIGNED': signedPayload,
    'X-SCX-TIMESTAMP': timestamp,
    'X-SCX-PASSPHRASE': 'passphrase'
  }
  const options = {
    headers,
    body,
    json: true
  }

  return request.get(
    `https://api.zerohash.com/fund/transactions`,
    options
  )
}

Sample Response

{
  "message": [
    {
      "participant_code": "AAAAAA",
      "fund_asset": "USDC",
      "rate": "1",
      "quoted_currency": "USD",
      "deposit_address": "",
      "quantity": "100",
      "notional": "100",
      "fund_timestamp": 1708631671631,
      "transaction_id": "",
      "account_label": "general",
      "fund_id": "29e6d7b8-d604-4212-86ee-998fef35505e"
    },
    {
      "participant_code": "AAAAAA",
      "fund_asset": "USDC",
      "rate": "1",
      "quoted_currency": "USD",
      "deposit_address": "0xF6C6E7d76Ec47F992aEbF46987879a4E3991a03b",
      "quantity": "100",
      "notional": "100",
      "fund_timestamp": 1708631671631,
      "transaction_id": "",
      "account_label": "general",
      "fund_id": "29e6d7b8-d604-4212-86ee-998fef35505e"
    },
    {
      "participant_code": "AAAAAA",
      "fund_asset": "USDC",
      "rate": "1",
      "quoted_currency": "USD",
      "deposit_address": "0xF6C6E7d76Ec47F992aEbF46987879a4E3991a03b",
      "quantity": "100",
      "notional": "100",
      "fund_timestamp": 1708631671631,
      "transaction_id": "ec963207-69f4-44d0-9251-2977dda86fcd",
      "account_label": "general",
      "fund_id": "29e6d7b8-d604-4212-86ee-998fef35505e"
    }
  ],
  "page": 1,
  "page_size": 50,
  "total_pages": 1
}

Allows a platform to retrieve a list of all Fund transactions.

Optional query parameters include:

Response:

Parameter Description Type
participant_code End customer's participant code string
fund_asset The crypto asset that is sent by the end customer in order to fund an account string
rate The rate at which the fund_asset may be liquidated at if deposited before the expiry_timestamp string
quoted_currency The asset that the provided funding_rate is denominated in, and will ultimately be converted into automatically upon a deposit string
deposit_address The address that the end customer may deposit the crypto asset to string
quantity The amount, denominated in the fund_asset, that was funded string
notional The amount, denominated in the quoted_currency, that was funded string
fund_id The Zero Hash-generated unique identifier associated with a executed fund event string
fund_timestamp The UNIX timestamp of when the fund event was completed timestamp
transaction_id The on-chain transaction id associated with the deposit string
account_label The account_label where all subsequent deposits will be credited to string

Private Socket Feed

Overview

The private WebSocket feed provides real-time balance and price updates for streamlined processing.

Important considerations

A long-lived TCP connection such as the one used by the WebSocket can be subject to multiple issues, including but not limited to: network instabilities on client/server, timeouts, ISP, etc.. These issues are expected to happen at any point in time, thus it's * fundamental to have a reconnection/resubscription mechanism* in place, which you'll find samples for in the examples below.

Endpoints

Authentication

The same authentication mechanism used for the Web API applies to the WebSocket: all sent messages must be properly signed to ensure authenticity of the request.

import hashlib
import hmac
from base64 import b64decode, b64encode

def sign(api_key: str, method: str, route: str, json_body: str, timestamp: str) -> bytes:
    """
        Given a key and data, create and sign a payload.

        :param api_key: Key to sign the message with
        :param method: HTTP method
        :param route: Relative route.
        :param json_body: JSON as a string. Usually created via json.dumps(dict)
        :param timestamp: Unix Epoch time as a string
        :return: Base64 encoded digest
    """
    msg = bytes(timestamp + method + route + json_body, encoding='utf-8')
    hm = hmac.new(key=b64decode(api_key), msg=msg, digestmod=hashlib.sha256)
    return b64encode(hm.digest())
const crypto = require('crypto');

const sign = (body, secret) => {
  let ts = String(Math.round(Date.now() / 1000));
  let payload = ts + 'POST' + '/' + JSON.stringify(body);
  let decodedSecret = Buffer.from(secret, 'base64');
  let hmac = crypto.createHmac('sha256', decodedSecret);
  let signedPayload = hmac.update(payload).digest('base64');
};

Basic setup

The JS and Python examples provide basic functionality for handling outgoing and incoming messages as well as a basic reconnection/resubscription mechanism in case of unexpected network failures. These examples provide a baseline to build upon, be sure to modify them in order to accomodate it to your language, library, framework and system needs.

const WebSocket = require('ws');
const crypto = require('crypto');

// NB: THESE CREDENTIALS SHOULD NOT BE STORED IN PLAINTEXT
// Keys here are kept in plaintext for the purposes of demonstration
// We encourage you to encrypt your keys and decrypt them only when being used
const KEY = '...';
const SECRET = '...';
const PASSPHRASE = '...';

const sign = (body, secret) => {
  let ts = String(Math.round(Date.now() / 1000));
  let payload = ts + 'POST' + '/' + JSON.stringify(body);
  let decodedSecret = Buffer.from(secret, 'base64');
  let hmac = crypto.createHmac('sha256', decodedSecret);
  let signedPayload = hmac.update(payload).digest('base64');
};

const sendWebsocketMessage = (client, type, body, secret, key, phrase) => {
  const ts = String(Math.round(Date.now() / 1000));
  const payload = ts + 'POST' + '/' + JSON.stringify(body);
  const decodedSecret = Buffer.from(secret, 'base64');
  const hmac = crypto.createHmac('sha256', decodedSecret);
  const signedPayload = hmac.update(payload).digest('base64');

  let data = JSON.stringify({
    messageType: type,
    body: body,
    key: key,
    passphrase: phrase,
    timestamp: ts,
    signature: signedPayload
  });

  console.log('sending message:', data);

  client.send(data);
};

const ws = new WebSocket(`wss://ws.cert.zerohash.com`);

ws.on('open', () => {
  sendWebsocketMessage(
    ws,
    'subscribe',
    { filter: {} },
    SECRET,
    KEY,
    PASSPHRASE
  );
});

ws.on('message', (data) => {
  console.log('received message:', JSON.parse(data));
});

ws.on('error', (data) => {
  console.log('unexpected error:', data);
});

setInterval(() => {
  sendWebsocketMessage(ws, 'ping', {}, SECRET, KEY, PASSPHRASE);
}, 10000);
# Even after removing type annotations, the below code works with Python 3.4+ only.
# For ease of use, Python 3.6+ is recommended if using websockets.

import asyncio
import hashlib
import hmac
import json
from asyncio.exceptions import IncompleteReadError
from base64 import b64decode, b64encode
from datetime import datetime
from logging import getLogger

from websockets.client import connect
from websockets.exceptions import ConnectionClosed, ConnectionClosedError

logger = getLogger(__name__)

# NB: THESE CREDENTIALS SHOULD NOT BE STORED IN PLAINTEXT
# Keys here are kept in plaintext for the purposes of demonstration
# We encourage you to encrypt your keys and decrypt them only when being used
WS_URL = "wss://ws.cert.zerohash.com"
API_PUBLIC_KEY = "..."
API_PRIVATE_KEY = "..."
API_PASSPHRASE = "..."


class Feed:
    async def connect_private(self):
        """Connect to the private websocket endpoint that requires authentication."""
        async for conn in connect(WS_URL):
            t = str(int(datetime.now().timestamp()))
            sig = self._sign(API_PRIVATE_KEY, "POST", "/", json.dumps({"filter": {}}, separators=(",", ":")), t)
            msg = json.dumps(
                {
                    "messageType": "subscribe",
                    "body": {"filter": {}},
                    "key": API_PUBLIC_KEY,
                    "passphrase": API_PASSPHRASE,
                    "timestamp": t,
                    "signature": sig.decode("utf-8"),
                },
                indent=2,
            )

            try:
                print("sending message:", msg)
                await conn.send(msg)
                while True:
                    self._message_handler(await conn.recv())
            # Be sure to handle other relevant network issues/exception provided by your WebSocket library of choice
            except ConnectionClosed or ConnectionClosedError or IncompleteReadError as e:
                print("Network issue encountered, backing off and reconnecting. Details: ", e)
                asyncio.sleep(5)
                continue


    def _message_handler(self, msg: str):
        """Simple message handling for data received from the WebSocket."""
        try:
            msg = json.loads(msg)
        except json.JSONDecodeError:
            logger.error("Error loading JSON message from server: {}".format(msg))
            return
        if "message" in msg:
            logger.info(msg["message"])
            return
        print("received message:", msg)


    def _sign(self, api_key: str, method: str, route: str, json_body: str, timestamp: str) -> bytes:
        msg = bytes(timestamp + method + route + json_body, encoding="utf-8")
        hm = hmac.new(key=b64decode(api_key), msg=msg, digestmod=hashlib.sha256)
        return b64encode(hm.digest())


loop = asyncio.get_event_loop()
loop.run_until_complete(Feed().connect_private())

Balances

The balance feed provides real-time updates when the balance is updated for any accounts that match the subscription filters.

Initial Subscription

In order to subscribe to the balance feed, a message of type subscribe must be sent.

Parameter Description Type
body{} An object used to restrict what is returned in the subscription. This must be included but can be empty. object
messageType Subscription message type -subscribe string
topic Topic to subscribe to -balances for the balance feed. Can be omitted. string
useMultiChainAssetFormat Include chain in asset names, e.g.AAVE.ETH vs. AAVE for the balance feed. Can be omitted. Default is false boolean
key Your public key string
passphrase Your passphrase string
timestamp Time in seconds since Unix Epoch string
signature your hmac signature string

Subscription Filters

Optional filters you can include within the body to restrict which balance updates will be sent by the WebSocket:

Parameter Description Type
filter{} A filter object used to specify account characteristics object

The filter{} object can include:

Parameter Description Type
account_owner The participant code for the specific participant you want updates for string
account_group The group that you want updates for string
account_type The type that you want updates for -available, collateral, payable, receivable or collateral_deficiency string
asset The asset code you would like updates for string

Subscription Response

Subscription Response

{
  "messageType": "initial-balance",
  "body": [
    {
      "account_id": "12345",
      "participant_code": "ABC123",
      "account_group": "XYZ456",
      "account_label": "general",
      "account_type": "available",
      "asset": "BTC",
      "balance": "1.00",
      "run_id": 1,
      "run_type": "unknown"
    }
  ]
}

Upon successfully subscribing you will receive an initial-balance message which includes a snapshot of all current account balances that meet your subscription criteria.

Parameter Description Type
account_id Unique ID of the specific account string
participant_code The code of the participant that owns the account string
account_group The group that the account is a part of string
account_label The account label to filter the response by string
account_type available, collateral, payable, receivable or collateral_deficiency string
asset The asset code for the specific account, e.g.USD string
balance The balance in the account string
run_id A unique ID for the particular run int
run_type The type of run string

Balance Update

Sample Response

{
  "messageType": "balance-updated",
  "body": {
    "participant_code": "ABC123",
    "account_group": "XYZ456",
    "account_label": "general",
    "account_type": "available",
    "asset": "BTC",
    "balance": "1.01",
    "run_id": 1,
    "run_type": "settlement",
    "movements": [
      {
        "movement_timestamp": "2021-11-04T02:50:16.202915702Z",
        "movement_id": "EFG456",
        "movement_type": "final_settlement",
        "deposit_reference_id": "deposit 123",
        "change": "123.123",
        "source": "deposit 123 sending address",
        "received_address": "deposit 123 received address"
      }
    ],
    "run_timestamp": "2021-11-04T02:51:16.202911633Z"
  }
}

After receiving the initial-balance message, you will be sent incremental balance-updated messages, which show any balance changes to accounts that meet your subscription criteria.

Parameter Description Type
participant_code The code of the participant that owns the account string
account_group The group that the account is a part of string
account_label The account label to filter the response by string
account_type available, collateral, payable, receivable or collateral_deficiency string
asset The asset code for the specific account, e.g.USD string
balance Updated balance value string
run_id A unique ID for the particular run string
run_type The type of run string
run_timestamp Timestamp when the account balance was updated timestamp
movements[] An array of movements related to the specific account update
Refer to the GET /accounts/:account_id/movements section for field definitions
array

Prices

The price feed provides real-time Bid/Ask price levels of up to a depth of 10 for the available symbols.

Listing available symbols

The symbols available for subscription can be fetched by sending a message of type info and with the topic set to available-symbols.

{
  "messageType": "info",
  "topic": "available-symbols",
  "key": "API_PUBLIC_KEY",
  "passphrase": "PASSPHRASE",
  "timestamp": "TIMESTAMP",
  "signature": "SIGNATURE"
}

Available symbols response

{
  "messageType": "info",
  "topic": "available-symbols",
  "body": {
    "message": [
      "BTC/USD",
      "ETH/USD",
      "LTC/USD",
      ...
    ]
  }
}

Subscribing to a Symbol

In order to subscribe to the price feed, a message of type subscribe must be sent.

{
  "messageType": "subscribe",
  "topic": "prices",
  "body": {
    "filter": {
      "symbol": "BTC/USD"
    }
  },
  "key": "API_PUBLIC_KEY",
  "passphrase": "PASSPHRASE",
  "timestamp": "TIMESTAMP",
  "signature": "SIGNATURE"
}
Parameter Description Type
body{} An object used to filter which symbol will be subscribed to. This is a required field for the price feed. object
messageType Subscription message type -subscribe string
topic Topic to subscribe to -prices for the price feed string
key Your public key string
passphrase Your passphrase string
timestamp Time in seconds since Unix Epoch string
signature your hmac signature string

Subscription response

{
  "body": "successfully subscribed to the BTC/USD feed",
  "messageType": "subscribe"
}

Price update

After successfully subscribing to a symbol, you will be sent price-updated messages whenever the price is updated.

Parameter Description Type
bid_levels[] Array ofBid price levels (up to a depth of 10) string
ask_levels[] Array ofAsk price levels (up to a depth of 10) string
symbol The symbol which was subscribed to string
messageType Price update message type -price-update string

The price level object comprises these fields:

Parameter Description Type
price The level price string
quantity The level quantity string
side The level side -buy or sell string
{
  "messageType": "price-update",
  "body": {
    "symbol": "BTC/USD",
    "bid_levels": [
      {
        "price": "42260.4677",
        "quantity": "0.59",
        "side": "buy"
      },
      {
        "price": "42255.445175",
        "quantity": "1.77",
        "side": "buy"
      },
      {
        "price": "42251.475275",
        "quantity": "3.54",
        "side": "buy"
      },
      {
        "price": "42245.941475",
        "quantity": "7.09",
        "side": "buy"
      }
    ],
    "ask_levels": [
      {
        "price": "42317.16195",
        "quantity": "0.59",
        "side": "sell"
      },
      {
        "price": "42320.83275",
        "quantity": "1.77",
        "side": "sell"
      },
      {
        "price": "42324.872625",
        "quantity": "3.54",
        "side": "sell"
      },
      {
        "price": "42330.139425",
        "quantity": "7.09",
        "side": "sell"
      }
    ]
  }
}

Maintaining Subscription

Once subscribed to any of the above feeds, a ping message must be sent every 20 seconds to keep the subscription active; otherwise, the connection will be closed.

Ping Message

{
  "messageType": "ping",
  "key": "API_PUBLIC_KEY",
  "passphrase": "PASSPHRASE",
  "timestamp": "TIMESTAMP",
  "signature": "SIGNATURE"
}