consequunturatque
Version:
A JavaScript / Python / PHP cryptocurrency trading library with support for 130+ exchanges
707 lines (681 loc) • 29.2 kB
JavaScript
'use strict';
// ---------------------------------------------------------------------------
const Exchange = require ('./base/Exchange');
const { ExchangeError, AuthenticationError, InvalidNonce, InsufficientFunds, InvalidOrder, OrderNotFound, PermissionDenied } = require ('./base/errors');
const Precise = require ('./base/Precise');
// ---------------------------------------------------------------------------
module.exports = class bitbank extends Exchange {
describe () {
return this.deepExtend (super.describe (), {
'id': 'bitbank',
'name': 'bitbank',
'countries': [ 'JP' ],
'version': 'v1',
'has': {
'cancelOrder': true,
'createOrder': true,
'fetchBalance': true,
'fetchDepositAddress': true,
'fetchMyTrades': true,
'fetchOHLCV': true,
'fetchOpenOrders': true,
'fetchOrder': true,
'fetchOrderBook': true,
'fetchTicker': true,
'fetchTrades': true,
'withdraw': true,
},
'timeframes': {
'1m': '1min',
'5m': '5min',
'15m': '15min',
'30m': '30min',
'1h': '1hour',
'4h': '4hour',
'8h': '8hour',
'12h': '12hour',
'1d': '1day',
'1w': '1week',
},
'hostname': 'bitbank.cc',
'urls': {
'logo': 'https://user-images.githubusercontent.com/1294454/37808081-b87f2d9c-2e59-11e8-894d-c1900b7584fe.jpg',
'api': {
'public': 'https://public.{hostname}',
'private': 'https://api.{hostname}',
'markets': 'https://api.{hostname}',
},
'www': 'https://bitbank.cc/',
'doc': 'https://docs.bitbank.cc/',
'fees': 'https://bitbank.cc/docs/fees/',
},
'api': {
'public': {
'get': [
'{pair}/ticker',
'{pair}/depth',
'{pair}/transactions',
'{pair}/transactions/{yyyymmdd}',
'{pair}/candlestick/{candletype}/{yyyymmdd}',
],
},
'private': {
'get': [
'user/assets',
'user/spot/order',
'user/spot/active_orders',
'user/spot/trade_history',
'user/withdrawal_account',
],
'post': [
'user/spot/order',
'user/spot/cancel_order',
'user/spot/cancel_orders',
'user/spot/orders_info',
'user/request_withdrawal',
],
},
'markets': {
'get': [
'spot/pairs',
],
},
},
'exceptions': {
'20001': AuthenticationError,
'20002': AuthenticationError,
'20003': AuthenticationError,
'20005': AuthenticationError,
'20004': InvalidNonce,
'40020': InvalidOrder,
'40021': InvalidOrder,
'40025': ExchangeError,
'40013': OrderNotFound,
'40014': OrderNotFound,
'50008': PermissionDenied,
'50009': OrderNotFound,
'50010': OrderNotFound,
'60001': InsufficientFunds,
'60005': InvalidOrder,
},
});
}
async fetchMarkets (params = {}) {
const response = await this.marketsGetSpotPairs (params);
//
// {
// "success": 1,
// "data": {
// "pairs": [
// {
// "name": "btc_jpy",
// "base_asset": "btc",
// "quote_asset": "jpy",
// "maker_fee_rate_base": "0",
// "taker_fee_rate_base": "0",
// "maker_fee_rate_quote": "-0.0002",
// "taker_fee_rate_quote": "0.0012",
// "unit_amount": "0.0001",
// "limit_max_amount": "1000",
// "market_max_amount": "10",
// "market_allowance_rate": "0.2",
// "price_digits": 0,
// "amount_digits": 4,
// "is_enabled": true,
// "stop_order": false,
// "stop_order_and_cancel": false
// }
// ]
// }
// }
//
const data = this.safeValue (response, 'data');
const pairs = this.safeValue (data, 'pairs', []);
const result = [];
for (let i = 0; i < pairs.length; i++) {
const entry = pairs[i];
const id = this.safeString (entry, 'name');
const baseId = this.safeString (entry, 'base_asset');
const quoteId = this.safeString (entry, 'quote_asset');
const base = this.safeCurrencyCode (baseId);
const quote = this.safeCurrencyCode (quoteId);
const symbol = base + '/' + quote;
const maker = this.safeNumber (entry, 'maker_fee_rate_quote');
const taker = this.safeNumber (entry, 'taker_fee_rate_quote');
const pricePrecisionString = this.safeString (entry, 'price_digits');
const priceLimit = this.parsePrecision (pricePrecisionString);
const precision = {
'price': parseInt (pricePrecisionString),
'amount': this.safeInteger (entry, 'amount_digits'),
};
const active = this.safeValue (entry, 'is_enabled');
const minAmountString = this.safeString (entry, 'unit_amount');
const minCost = Precise.stringMul (minAmountString, priceLimit);
const limits = {
'amount': {
'min': this.safeNumber (entry, 'unit_amount'),
'max': this.safeNumber (entry, 'limit_max_amount'),
},
'price': {
'min': this.parseNumber (priceLimit),
'max': undefined,
},
'cost': {
'min': this.parseNumber (minCost),
'max': undefined,
},
};
result.push ({
'info': entry,
'id': id,
'symbol': symbol,
'baseId': baseId,
'quoteId': quoteId,
'base': base,
'quote': quote,
'precision': precision,
'limits': limits,
'active': active,
'maker': maker,
'taker': taker,
});
}
return result;
}
parseTicker (ticker, market = undefined) {
let symbol = undefined;
if (market !== undefined) {
symbol = market['symbol'];
}
const timestamp = this.safeInteger (ticker, 'timestamp');
const last = this.safeNumber (ticker, 'last');
return {
'symbol': symbol,
'timestamp': timestamp,
'datetime': this.iso8601 (timestamp),
'high': this.safeNumber (ticker, 'high'),
'low': this.safeNumber (ticker, 'low'),
'bid': this.safeNumber (ticker, 'buy'),
'bidVolume': undefined,
'ask': this.safeNumber (ticker, 'sell'),
'askVolume': undefined,
'vwap': undefined,
'open': undefined,
'close': last,
'last': last,
'previousClose': undefined,
'change': undefined,
'percentage': undefined,
'average': undefined,
'baseVolume': this.safeNumber (ticker, 'vol'),
'quoteVolume': undefined,
'info': ticker,
};
}
async fetchTicker (symbol, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
'pair': market['id'],
};
const response = await this.publicGetPairTicker (this.extend (request, params));
const data = this.safeValue (response, 'data', {});
return this.parseTicker (data, market);
}
async fetchOrderBook (symbol, limit = undefined, params = {}) {
await this.loadMarkets ();
const request = {
'pair': this.marketId (symbol),
};
const response = await this.publicGetPairDepth (this.extend (request, params));
const orderbook = this.safeValue (response, 'data', {});
const timestamp = this.safeInteger (orderbook, 'timestamp');
return this.parseOrderBook (orderbook, symbol, timestamp);
}
parseTrade (trade, market = undefined) {
const timestamp = this.safeInteger (trade, 'executed_at');
let symbol = undefined;
let feeCurrency = undefined;
if (market !== undefined) {
symbol = market['symbol'];
feeCurrency = market['quote'];
}
const priceString = this.safeString (trade, 'price');
const amountString = this.safeString (trade, 'amount');
const price = this.parseNumber (priceString);
const amount = this.parseNumber (amountString);
const cost = this.parseNumber (Precise.stringMul (priceString, amountString));
const id = this.safeString2 (trade, 'transaction_id', 'trade_id');
const takerOrMaker = this.safeString (trade, 'maker_taker');
let fee = undefined;
const feeCost = this.safeNumber (trade, 'fee_amount_quote');
if (feeCost !== undefined) {
fee = {
'currency': feeCurrency,
'cost': feeCost,
};
}
const orderId = this.safeString (trade, 'order_id');
const type = this.safeString (trade, 'type');
const side = this.safeString (trade, 'side');
return {
'timestamp': timestamp,
'datetime': this.iso8601 (timestamp),
'symbol': symbol,
'id': id,
'order': orderId,
'type': type,
'side': side,
'takerOrMaker': takerOrMaker,
'price': price,
'amount': amount,
'cost': cost,
'fee': fee,
'info': trade,
};
}
async fetchTrades (symbol, since = undefined, limit = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
'pair': market['id'],
};
const response = await this.publicGetPairTransactions (this.extend (request, params));
const data = this.safeValue (response, 'data', {});
const trades = this.safeValue (data, 'transactions', []);
return this.parseTrades (trades, market, since, limit);
}
parseOHLCV (ohlcv, market = undefined) {
//
// [
// "0.02501786",
// "0.02501786",
// "0.02501786",
// "0.02501786",
// "0.0000",
// 1591488000000
// ]
//
return [
this.safeInteger (ohlcv, 5),
this.safeNumber (ohlcv, 0),
this.safeNumber (ohlcv, 1),
this.safeNumber (ohlcv, 2),
this.safeNumber (ohlcv, 3),
this.safeNumber (ohlcv, 4),
];
}
async fetchOHLCV (symbol, timeframe = '5m', since = undefined, limit = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
let date = this.milliseconds ();
date = this.ymd (date);
date = date.split ('-');
const request = {
'pair': market['id'],
'candletype': this.timeframes[timeframe],
'yyyymmdd': date.join (''),
};
const response = await this.publicGetPairCandlestickCandletypeYyyymmdd (this.extend (request, params));
//
// {
// "success":1,
// "data":{
// "candlestick":[
// {
// "type":"5min",
// "ohlcv":[
// ["0.02501786","0.02501786","0.02501786","0.02501786","0.0000",1591488000000],
// ["0.02501747","0.02501953","0.02501747","0.02501953","0.3017",1591488300000],
// ["0.02501762","0.02501762","0.02500392","0.02500392","0.1500",1591488600000],
// ]
// }
// ],
// "timestamp":1591508668190
// }
// }
//
const data = this.safeValue (response, 'data', {});
const candlestick = this.safeValue (data, 'candlestick', []);
const first = this.safeValue (candlestick, 0, {});
const ohlcv = this.safeValue (first, 'ohlcv', []);
return this.parseOHLCVs (ohlcv, market, timeframe, since, limit);
}
async fetchBalance (params = {}) {
await this.loadMarkets ();
const response = await this.privateGetUserAssets (params);
//
// {
// "success": "1",
// "data": {
// "assets": [
// {
// "asset": "jpy",
// "amount_precision": "4",
// "onhand_amount": "0.0000",
// "locked_amount": "0.0000",
// "free_amount": "0.0000",
// "stop_deposit": false,
// "stop_withdrawal": false,
// "withdrawal_fee": {
// "threshold": "30000.0000",
// "under": "550.0000",
// "over": "770.0000"
// }
// },
// {
// "asset": "btc",
// "amount_precision": "8",
// "onhand_amount": "0.00000000",
// "locked_amount": "0.00000000",
// "free_amount": "0.00000000",
// "stop_deposit": false,
// "stop_withdrawal": false,
// "withdrawal_fee": "0.00060000"
// },
// ]
// }
// }
//
const result = {
'info': response,
'timestamp': undefined,
'datetime': undefined,
};
const data = this.safeValue (response, 'data', {});
const assets = this.safeValue (data, 'assets', []);
for (let i = 0; i < assets.length; i++) {
const balance = assets[i];
const currencyId = this.safeString (balance, 'asset');
const code = this.safeCurrencyCode (currencyId);
const account = this.account ();
account['free'] = this.safeString (balance, 'free_amount');
account['used'] = this.safeString (balance, 'locked_amount');
account['total'] = this.safeString (balance, 'onhand_amount');
result[code] = account;
}
return this.parseBalance (result, false);
}
parseOrderStatus (status) {
const statuses = {
'UNFILLED': 'open',
'PARTIALLY_FILLED': 'open',
'FULLY_FILLED': 'closed',
'CANCELED_UNFILLED': 'canceled',
'CANCELED_PARTIALLY_FILLED': 'canceled',
};
return this.safeString (statuses, status, status);
}
parseOrder (order, market = undefined) {
const id = this.safeString (order, 'order_id');
const marketId = this.safeString (order, 'pair');
let symbol = undefined;
if (marketId && !market && (marketId in this.marketsById)) {
market = this.marketsById[marketId];
}
if (market !== undefined) {
symbol = market['symbol'];
}
const timestamp = this.safeInteger (order, 'ordered_at');
const price = this.safeNumber (order, 'price');
const amount = this.safeNumber (order, 'start_amount');
const filled = this.safeNumber (order, 'executed_amount');
const remaining = this.safeNumber (order, 'remaining_amount');
const average = this.safeNumber (order, 'average_price');
const status = this.parseOrderStatus (this.safeString (order, 'status'));
const type = this.safeStringLower (order, 'type');
const side = this.safeStringLower (order, 'side');
return this.safeOrder ({
'id': id,
'clientOrderId': undefined,
'datetime': this.iso8601 (timestamp),
'timestamp': timestamp,
'lastTradeTimestamp': undefined,
'status': status,
'symbol': symbol,
'type': type,
'timeInForce': undefined,
'postOnly': undefined,
'side': side,
'price': price,
'stopPrice': undefined,
'cost': undefined,
'average': average,
'amount': amount,
'filled': filled,
'remaining': remaining,
'trades': undefined,
'fee': undefined,
'info': order,
});
}
async createOrder (symbol, type, side, amount, price = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
if (price === undefined) {
throw new InvalidOrder (this.id + ' createOrder() requires a price argument for both market and limit orders');
}
const request = {
'pair': market['id'],
'amount': this.amountToPrecision (symbol, amount),
'price': this.priceToPrecision (symbol, price),
'side': side,
'type': type,
};
const response = await this.privatePostUserSpotOrder (this.extend (request, params));
const data = this.safeValue (response, 'data');
return this.parseOrder (data, market);
}
async cancelOrder (id, symbol = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
'order_id': id,
'pair': market['id'],
};
const response = await this.privatePostUserSpotCancelOrder (this.extend (request, params));
const data = this.safeValue (response, 'data');
return data;
}
async fetchOrder (id, symbol = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
'order_id': id,
'pair': market['id'],
};
const response = await this.privateGetUserSpotOrder (this.extend (request, params));
const data = this.safeValue (response, 'data');
return this.parseOrder (data, market);
}
async fetchOpenOrders (symbol = undefined, since = undefined, limit = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
'pair': market['id'],
};
if (limit !== undefined) {
request['count'] = limit;
}
if (since !== undefined) {
request['since'] = parseInt (since / 1000);
}
const response = await this.privateGetUserSpotActiveOrders (this.extend (request, params));
const data = this.safeValue (response, 'data', {});
const orders = this.safeValue (data, 'orders', []);
return this.parseOrders (orders, market, since, limit);
}
async fetchMyTrades (symbol = undefined, since = undefined, limit = undefined, params = {}) {
await this.loadMarkets ();
let market = undefined;
if (symbol !== undefined) {
market = this.market (symbol);
}
const request = {};
if (market !== undefined) {
request['pair'] = market['id'];
}
if (limit !== undefined) {
request['count'] = limit;
}
if (since !== undefined) {
request['since'] = parseInt (since / 1000);
}
const response = await this.privateGetUserSpotTradeHistory (this.extend (request, params));
const data = this.safeValue (response, 'data', {});
const trades = this.safeValue (data, 'trades', []);
return this.parseTrades (trades, market, since, limit);
}
async fetchDepositAddress (code, params = {}) {
await this.loadMarkets ();
const currency = this.currency (code);
const request = {
'asset': currency['id'],
};
const response = await this.privateGetUserWithdrawalAccount (this.extend (request, params));
const data = this.safeValue (response, 'data', {});
// Not sure about this if there could be more than one account...
const accounts = this.safeValue (data, 'accounts', []);
const firstAccount = this.safeValue (accounts, 0, {});
const address = this.safeString (firstAccount, 'address');
return {
'currency': currency,
'address': address,
'tag': undefined,
'info': response,
};
}
async withdraw (code, amount, address, tag = undefined, params = {}) {
if (!('uuid' in params)) {
throw new ExchangeError (this.id + ' uuid is required for withdrawal');
}
await this.loadMarkets ();
const currency = this.currency (code);
const request = {
'asset': currency['id'],
'amount': amount,
};
const response = await this.privatePostUserRequestWithdrawal (this.extend (request, params));
const data = this.safeValue (response, 'data', {});
const txid = this.safeString (data, 'txid');
return {
'info': response,
'id': txid,
};
}
nonce () {
return this.milliseconds ();
}
sign (path, api = 'public', method = 'GET', params = {}, headers = undefined, body = undefined) {
let query = this.omit (params, this.extractParams (path));
let url = this.implodeParams (this.urls['api'][api], { 'hostname': this.hostname }) + '/';
if ((api === 'public') || (api === 'markets')) {
url += this.implodeParams (path, params);
if (Object.keys (query).length) {
url += '?' + this.urlencode (query);
}
} else {
this.checkRequiredCredentials ();
const nonce = this.nonce ().toString ();
let auth = nonce;
url += this.version + '/' + this.implodeParams (path, params);
if (method === 'POST') {
body = this.json (query);
auth += body;
} else {
auth += '/' + this.version + '/' + path;
if (Object.keys (query).length) {
query = this.urlencode (query);
url += '?' + query;
auth += '?' + query;
}
}
headers = {
'Content-Type': 'application/json',
'ACCESS-KEY': this.apiKey,
'ACCESS-NONCE': nonce,
'ACCESS-SIGNATURE': this.hmac (this.encode (auth), this.encode (this.secret)),
};
}
return { 'url': url, 'method': method, 'body': body, 'headers': headers };
}
async request (path, api = 'public', method = 'GET', params = {}, headers = undefined, body = undefined) {
const response = await this.fetch2 (path, api, method, params, headers, body);
const success = this.safeInteger (response, 'success');
const data = this.safeValue (response, 'data');
if (!success || !data) {
const errorMessages = {
'10000': 'URL does not exist',
'10001': 'A system error occurred. Please contact support',
'10002': 'Invalid JSON format. Please check the contents of transmission',
'10003': 'A system error occurred. Please contact support',
'10005': 'A timeout error occurred. Please wait for a while and try again',
'20001': 'API authentication failed',
'20002': 'Illegal API key',
'20003': 'API key does not exist',
'20004': 'API Nonce does not exist',
'20005': 'API signature does not exist',
'20011': 'Two-step verification failed',
'20014': 'SMS authentication failed',
'30001': 'Please specify the order quantity',
'30006': 'Please specify the order ID',
'30007': 'Please specify the order ID array',
'30009': 'Please specify the stock',
'30012': 'Please specify the order price',
'30013': 'Trade Please specify either',
'30015': 'Please specify the order type',
'30016': 'Please specify asset name',
'30019': 'Please specify uuid',
'30039': 'Please specify the amount to be withdrawn',
'40001': 'The order quantity is invalid',
'40006': 'Count value is invalid',
'40007': 'End time is invalid',
'40008': 'end_id Value is invalid',
'40009': 'The from_id value is invalid',
'40013': 'The order ID is invalid',
'40014': 'The order ID array is invalid',
'40015': 'Too many specified orders',
'40017': 'Incorrect issue name',
'40020': 'The order price is invalid',
'40021': 'The trading classification is invalid',
'40022': 'Start date is invalid',
'40024': 'The order type is invalid',
'40025': 'Incorrect asset name',
'40028': 'uuid is invalid',
'40048': 'The amount of withdrawal is illegal',
'50003': 'Currently, this account is in a state where you can not perform the operation you specified. Please contact support',
'50004': 'Currently, this account is temporarily registered. Please try again after registering your account',
'50005': 'Currently, this account is locked. Please contact support',
'50006': 'Currently, this account is locked. Please contact support',
'50008': 'User identification has not been completed',
'50009': 'Your order does not exist',
'50010': 'Can not cancel specified order',
'50011': 'API not found',
'60001': 'The number of possessions is insufficient',
'60002': 'It exceeds the quantity upper limit of the tender buying order',
'60003': 'The specified quantity exceeds the limit',
'60004': 'The specified quantity is below the threshold',
'60005': 'The specified price is above the limit',
'60006': 'The specified price is below the lower limit',
'70001': 'A system error occurred. Please contact support',
'70002': 'A system error occurred. Please contact support',
'70003': 'A system error occurred. Please contact support',
'70004': 'We are unable to accept orders as the transaction is currently suspended',
'70005': 'Order can not be accepted because purchase order is currently suspended',
'70006': 'We can not accept orders because we are currently unsubscribed ',
'70009': 'We are currently temporarily restricting orders to be carried out. Please use the limit order.',
'70010': 'We are temporarily raising the minimum order quantity as the system load is now rising.',
};
const errorClasses = this.exceptions;
const code = this.safeString (data, 'code');
const message = this.safeString (errorMessages, code, 'Error');
const ErrorClass = this.safeValue (errorClasses, code);
if (ErrorClass !== undefined) {
throw new ErrorClass (message);
} else {
throw new ExchangeError (this.id + ' ' + this.json (response));
}
}
return response;
}
};