VERSION 1.2 (see Revision History)

1. Hosts

Environment REST WS WebApp

DEV

https://api.rest.dev.power.trade/

wss://api.wss.dev.power.trade/

https://powertrade-web-dev.web.app/

TEST

https://api.rest.test.power.trade/

wss://api.wss.test.power.trade/

https://powertrade-web-test.web.app/

PROD

https://api.rest.prod.power.trade/

wss://api.wss.prod.power.trade/

https://app.power.trade/

1.1. Authentication

PowerTrade requires clients to use API keys in order to access the APIs.

There are two components to an API key: the key itself and an API secret_key. Both are needed in order to authenticate and use API services.

To establish a connection with PowerTrade’s private endpoints, users must confirm their identity using JWT.

Depending on the service, the JWT must be included in the "X-Power-Trade" HTTP-header (REST API), ?power_trade HTTP-query, the login message (Session-based WebSocket protocol), or Password field (FIX protocol). Please consult with the specific API documentation for more details.

1.1.1. Obtaining API keys and secrets

API keys can be obtained here https://app.power.trade/api-keys.

Other environments: WebApp/api-keys

1.1.2. Generating JWT

The following JWT claims are required in order to submit a valid credentials_secret:

  • client - Set to api.

  • uri - The production endpoint of the requested service.

  • nonce - Monotonically increasing integer number. Usually, a timestamp can be used.

  • iat - The Unix time at which the JWT was issued, in seconds.

  • exp - The expiration Unix time on and after which the JWT must not be accepted for processing, in seconds. Must be less than iat+30sec.

  • sub - The API Key.

The JWT should be signed with the API secret_key using the ES256 (elliptic curves using sha256) algorithm.

Please ensure the JWT is valid when sending the request. PowerTrade will validate that current time is between iat and exp.

It is recommended to set the iat field to the current time minus 5 seconds and the exp field to the current time plus 30 seconds.

Examples

To go through the next few code samples, export the following environment variables in your shell.

# Replace with your api_key
export API_KEY="8557379d6d62080a1169740f183f16bf"

# Replace with your secret_key
export PEM_SECRET_KEY="-----BEGIN EC PRIVATE KEY-----
MHcCAQEEILwnCHltSNt5BT+oB2C/I/YjI6OObYMaGLw0cTtOVHsroAoGCCqGSM49
AwEHoUQDQgAELzRQAq3U6JtDa7hLHTzX+tzlJurj1v2hcrHSdk4X3hzHQYJu1DB6
/gnZqe5mv3KS/HGvGCCyL1WFAz1S7VJ9uw==
-----END EC PRIVATE KEY-----"
TODO: place c++ code here
import os
import time
import jwt  # Using PyJWT to generate JWT's - `pip install pyjwt`


def generate_credential_secret(api_key, pem_secret_key):
    now = int(time.time())
    payload = {
        "client": "api",
        "uri": "",  # TODO - fill in with example production url
        "nonce": now - 5,
        "iat": now - 5,
        "exp": now + 30,
        "sub": api_key
    }
    try:
        return jwt.encode(payload, pem_secret_key, algorithm="ES256")
    except jwt.exceptions.PyJWTError as err:
        print("Error: {}".format(err))
        exit(0)


if __name__ == '__main__':
    API_KEY = os.getenv("API_KEY")
    PEM_SECRET_KEY = os.getenv("PEM_SECRET_KEY")
    print(generate_credential_secret(API_KEY, PEM_SECRET_KEY))
package main

import (
	"fmt"
	"os"
	"time"

	"github.com/golang-jwt/jwt/v4"
)

type ClientCredentialsClaim struct {
	Uri    string
	Client string
	Nonce  *jwt.NumericDate
	jwt.RegisteredClaims
}

func GenerateCredentialsSecret() string {
	apiKey := os.Getenv("API_KEY")
	secretKey := os.Getenv("PEM_SECRET_KEY")
	now := time.Now()

	claims := ClientCredentialsClaim{
		Uri:    "", // TODO - fill in with example production url
		Client: "api",
		Nonce:  jwt.NewNumericDate(now.UTC().Add(-5 * time.Second)),
		RegisteredClaims: jwt.RegisteredClaims{
			ExpiresAt: jwt.NewNumericDate(now.UTC().Add(30 * time.Second)),
			IssuedAt:  jwt.NewNumericDate(now.UTC().Add(-5 * time.Second)),
			Subject:   apiKey,
		},
	}
	token := jwt.NewWithClaims(jwt.SigningMethodES256, claims)
	privateKey, err := jwt.ParseECPrivateKeyFromPEM([]byte(secretKey))
	if err != nil {
		panic(err)
	}
	credentialsSecret, err := token.SignedString(privateKey)
	if err != nil {
		panic(err)
	}
	return credentialsSecret
}

func main() {
	fmt.Println(GenerateCredentialsSecret())
}
Example Ouput
eyJhbGciOiJFUzI1NiIsInR5cCI6IkpXVCJ9.eyJjbGllbnQiOiJhcGkiLCJub25jZSI6MTYxMTQwMjU0MSwiZXhwIjoxNjIwMDQyNTQxLCJpYXQiOjE2MTE0MDI1NDEsImlzcyI6InB0LXRlc3QuY2xlYXJwb29sLmRldjo0OTYyMSIsInN1YiI6Ijg1NTczNzlkNmQ2MjA4MGExMTY5NzQwZjE4M2YxNmJmIn0.oEjCgumgFfnYWw-otLW7vRAZ7p1KakMnDkmUz_LXWXKJlpZ3N7Ev6xeHSNEA9ZKJXwfHfEnvCAJbHWackjGSLA

2. WS Position Summary

2.1. WS /v1/position_summary

Returns a snapshot of account’s balances of fundable currencies.

Immediately after account creation this snapshot is empty. New balances get added to snapshot after 1st balance change of the corresponding currency (deposit, trade, fee, etc).

2.1.1. Authorization

HTTP header

X-Power-Trade: {PT_ACCESS_TOKEN}

or URL-query

?power_trade=${PT_ACCESS_TOKEN}`

2.1.2. Sample Request

wscat wss://api.wss.dev.power.trade/v1/position_summary?power_trade=${PT_ACCESS_TOKEN}

2.1.3. Sample Response

On every update, the full position snapshot is being sent:

{
    "account_id": "369",
    "account_health": "37.0244",
    "account_risk_status": "normal",
    "account_health_open_buy": "44.3613",
    "account_health_open_sell": "37.0244",
    "account_health_pending": "0",
    "pending_source_id": "1000000250",
    "balances": [
        {
            "timestamp": 1742274717244448000,
            "deliverable_id": "2",
            "symbol": "USD",
            "cash_balance": "31730.5887021791",
            "assets": "31730.2079646249",
            "mark_price": "1",
            "in_orders": "-41000",
            "orders_estimated_cash": "-41000",
            "orders_estimated_liabilities": "31232.7339221258",
            "unrealised": "-54132.5189196948",
            "margin": "18147.3385668872",
            "available_balance": "-81549.6495219571",
            "withdrawable_balance": "0",
            "components": {
                "cash": "31730.5887021791",
                "cash_open_buy_orders": "-41000",
                "cash_open_buy_orders_committed": "-41000",
                "margin": "18147.3385668872",
                "margin_open_buy_orders": "9014.0645773126",
                "margin_open_sell_orders": "0",
                "payoff": "0",
                "payout": "-0.3807375542",
                "realised": "0",
                "unrealised": "-54132.5189196948",
                "unrealised_open_buy_orders": "40246.7984994384",
                "unrealised_open_sell_orders": "0"
            }
        },
        {
            "timestamp": 1742274717244448000,
            "deliverable_id": "3",
            "symbol": "BTC",
            "cash_balance": "1",
            "assets": "1",
            "mark_price": "83044.14",
            "in_orders": "0",
            "orders_estimated_cash": "0",
            "orders_estimated_liabilities": "0",
            "unrealised": "0",
            "margin": "0",
            "available_balance": "1",
            "withdrawable_balance": "0.2215834053",
            "span_scenario": "-P+V",
            "components": {
                "cash": "1",
                "margin": "0",
                "margin_open_buy_orders": "0"
            }
        },
        {
            "timestamp": 1742274719911809000,
            "deliverable_id": "13",
            "symbol": "Reference USD",
            "cash_balance": "114774.73",
            "assets": "114774.35",
            "mark_price": "1",
            "in_orders": "-41000",
            "orders_estimated_cash": "-41000",
            "orders_estimated_liabilities": "31232.74",
            "unrealised": "-54132.52",
            "margin": "18147.34",
            "available_balance": "1494.49",
            "withdrawable_balance": "0",
            "components": {
                "cash": "114774.73",
                "cash_open_buy_orders": "-41000",
                "cash_open_buy_orders_committed": "-41000",
                "cash_open_sell_orders": "0",
                "margin": "18147.34",
                "margin_open_buy_orders": "9014.06",
                "margin_open_sell_orders": "0",
                "margin_pending_buy_orders": "33138.07",
                "payoff": "-4566.21",
                "payout": "-0.38",
                "realised": "0",
                "unrealised": "-54132.52",
                "unrealised_open_buy_orders": "40246.8",
                "unrealised_open_sell_orders": "0",
                "unrealised_pending_buy_orders": "32004.42"
            }
        }
    ],
    "positions": [
        {
            "timestamp": 1742274717151363000,
            "deliverable_id": "24",
            "symbol": "BTC-USD-PERPETUAL",
            "size": "2",
            "mark_price": "83026.29",
            "average_entry_price": "95000",
            "upnl": "-23947.42",
            "margin_value": "24907.887",
            "components": {
                "margin": "24907.887",
                "payout": "-0.3807375542",
                "unrealised": "-23947.42"
            }
        },
        {
            "timestamp": 1742274717244448000,
            "deliverable_id": "533869",
            "symbol": "BTC-20251226-80000C",
            "size": "-1.5",
            "mark_price": "20123.3992797966",
            "average_entry_price": "1300",
            "upnl": "-28235.0989196949",
            "margin_value": "-6760.5484331128",
            "greeks": {
                "delta": "-0.992895",
                "theta": "41.872395",
                "gamma": "-0.000015",
                "vega": "-420.31053"
            },
            "components": {
                "cash_open_buy_orders": "-41000",
                "cash_open_buy_orders_committed": "-41000",
                "margin": "-6760.5484331128",
                "margin_open_buy_orders": "9014.0645773126",
                "payoff": "-4566.21",
                "unrealised": "-30185.0989196948",
                "unrealised_open_buy_orders": "40246.7984994384"
            }
        },
        {
            "timestamp": 1742274719910214000,
            "deliverable_id": "605632",
            "symbol": "BTC-20251226-340000C",
            "size": "0",
            "mark_price": "0",
            "average_entry_price": "0",
            "upnl": "0",
            "margin_value": "0",
            "source": {
                "type": "order",
                "id": "1000000250"
            },
            "components": {
                "margin_pending_buy_orders": "0",
                "unrealised_pending_buy_orders": "0"
            }
        }
    ]
}

2.1.4. Fields

  • components: values by position kind

  • span_scenario: appears in non-USD balances if margining is enabled. String shows the SPAN scenario used for the asset: "+P", "=P", "-P" - increase, no change, decrease Price "+V", "=V", "-V" - increase, no change, decrease Volatility

  • pending_source_id - Order ID of pending order. 1st message with existing pending_source_id also contains account_health_pending and "Reference USD"’s components: `unrealised_pending_buy_orders, margin_pending_buy_orders or unrealised_pending_sell_orders, margin_pending_sell_orders.

2.1.5. Position Kinds

The Position Kinds s available can be grouped according to the table below:

Table 1. Position Kinds and Classification
Portfolio Type Position Kind Classification Description

Held Positions

cash

Assets

Assets make up actual funds that you hold or are due. The system treats such assets as usable collateral.

realised

expired

payout

funding_due

unrealised

Profit or Loss

An unrealised position represents the potential profit or loss associated with the position based on current market value.

margin

Value at Risk

A margin position represents the value at risk to the unrealised value of the position.

payoff

Informational

A payoff position is an informational only position message that indicates what the current payoff of an option is.

risk

Position Risk

A position risk message that contains risk related information for an option position (such as the greeks).

trading_limit

Trading Limits

Trading limit positions are messages that show the state of internal trading limits which are used to determine how much collateral is recognised for a given deliverable.

Open Orders

cash_open_buy_orders

Potential Assets

These positions represent potential cash positions, lost or gained, should any orders with the associated deliverable execute. They are Potential Assets because there is no guarantee that any, or all, of the associated orders will ever execute and result in that gain or loss. However the risk engine must consider that potentially all orders could execute all at once, or a subset of orders could execute.

cash_open_sell_orders

cash_open_buy_orders_committed

Committed Assets

These positions represent committed cash positions (usually only to buy), meaning the value committed to (for example) buy an option can no longer be considered to place another order. This is similar to the idea of a Trading Limit in that if you place an order buy some asset, such as BTC using $100, you can no longer use that $100 to buy some ETH as it is committed to the BTC purchase.

cash_open_sell_orders_committed

unrealised_open_buy_orders

Potential Profit or Loss

These positions represent potential profit or loss (unrealised) positions, profit or loss that would result should any orders with the associated deliverable execute. They represent Potential Profit or Loss because there is no guarantee that any, or all, of the associated orders will ever execute and result in that gain or loss. However the risk engine must consider that potentially all orders could execute all at once, or a subset of orders could execute.

unrealised_open_sell_orders

margin_open_buy_orders

Potential Value at Risk

These positions represent potential value at risk (margin) positions, that is the value at risk that would result should any orders with the associated deliverable execute, given the current worst case scenario in force for the Positions Held portfolio. They represent Potential Value at Risk because there is no guarantee that any, or all, of the associated orders will ever execute and result in that gain or loss. However the risk engine must consider that potentially all orders could execute all at once, or a subset of orders could execute.

margin_open_sell_orders

Pending Orders

cash_pending_buy_orders

Potential Assets

These positions represent potential cash positions, lost or gained, should any pending order for the associated deliverable be accepted and immediately execute. They are Potential Assets because there is no guarantee that any, or all, of the associated orders will ever execute and result in that gain or loss. However the risk engine must consider that potentially all orders could execute all at once, or a subset of orders could execute. Since this is for a Pending Order there is no concept of committed cash positions. The order has not yet been accepted and so therefore no committment has been made.

cash_pending_sell_orders

unrealised_pending_buy_orders

Potential Profit or Loss

These positions represent potential profit or loss (unrealised) positions, profit or loss that would result should any pending order for the associated deliverable be accepted and immediately execute. They represent Potential Profit or Loss because there is no guarantee that any, or all, of the associated orders will ever execute and result in that gain or loss. However the risk engine must consider that potentially all orders could execute all at once, or a subset of orders could execute.

unrealised_pending_sell_orders

margin_pending_buy_orders

Potential Value at Risk

These positions represent potential value at risk (margin) positions, that is the value at risk that would result should any pending order for the associated deliverable be accepted and immediately execute and the worst case scenario for the Positions Held portfolio is updated to reflect the impact of such an order executing fully. They represent Potential Value at Risk because there is no guarantee that any, or all, of the associated orders will ever execute and result in that gain or loss. However the risk engine must consider that potentially all orders could execute all at once, or a subset of orders could execute.

margin_open_sell_orders

For Open Order and Pending positions that have both a buy and sell position calculations about the impact of those positions on a portfolio can be carried out by netting the associated value fields of those positions.

2.1.6. Calculating Positions Health for Held Positions

Account Health is calculated as the ratio of Collateral account value to Total account value, where the "value" of an account is represented in the Reference Deliverable which is typically the USD value (if the Reference Deliverable is USD) of all account assets and obligations.

The Health of an account is calculated using the values for the Reference Deliverable positions as shown:

Calculating Positions Health
assets     = cash + realised + payout + funding_due + expired
liabilites = unrealised - margin

def health_score( assets, liabilites ):

    collateral = assets + liabilites
    norm_collateral = max(0, assets) + max(0, liabilites)

    health = 0
    if norm_collateral == 0:
        if collateral >= 0:
            health = 100
        else:
            health = 0
    else:
        health = 100 * collateral / norm_collateral
        health = max( 0, health )
        health = min( 100, health )

    return health

For example if the Reference Deliverable was deliverable_id == 1 ("USD" for example) and the position deliverable that is used to represent values in the Reference Deliverable is deliverable_id == 2 ("USD Reference Value" for example) then following positions would be used:

3. Revision History

Table 2. revision history:
Date Version Notes

2025-03-18

1.2

Add authentication section, add account_health for open and pending orders

2024-02-13

1.1

Add the Hosts section

2024-02-09

1.0

Initial Position Summary API documentation