-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathaax.js
1887 lines (1853 loc) · 78.4 KB
/
aax.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
'use strict';
// ----------------------------------------------------------------------------
const Exchange = require ('./base/Exchange');
const { ArgumentsRequired, AuthenticationError, ExchangeError, ExchangeNotAvailable, OrderNotFound, InvalidOrder, CancelPending, RateLimitExceeded, InsufficientFunds, BadRequest, BadSymbol, PermissionDenied } = require ('./base/errors');
const { TICK_SIZE } = require ('./base/functions/number');
const Precise = require ('./base/Precise');
// ----------------------------------------------------------------------------
module.exports = class aax extends Exchange {
describe () {
return this.deepExtend (super.describe (), {
'id': 'aax',
'name': 'AAX',
'countries': [ 'MT' ], // Malta
'enableRateLimit': true,
'rateLimit': 500,
'version': 'v2',
'hostname': 'aaxpro.com', // aax.com
'certified': true,
'pro': true,
'has': {
'cancelAllOrders': true,
'cancelOrder': true,
'createOrder': true,
'editOrder': true,
'fetchBalance': true,
'fetchCanceledOrders': true,
'fetchClosedOrders': true,
'fetchCurrencies': true,
'fetchDepositAddress': true,
'fetchMarkets': true,
'fetchMyTrades': true,
'fetchOHLCV': true,
'fetchOpenOrders': true,
'fetchOrder': true,
'fetchOrderBook': true,
'fetchOrders': true,
'fetchStatus': true,
'fetchTicker': 'emulated',
'fetchTickers': true,
'fetchTrades': true,
},
'timeframes': {
'1m': '1m',
'5m': '5m',
'15m': '15m',
'30m': '30m',
'1h': '1h',
'2h': '2h',
'4h': '4h',
'12h': '12h',
'1d': '1d',
'3d': '3d',
'1w': '1w',
},
'urls': {
'logo': 'https://user-images.githubusercontent.com/1294454/104140087-a27f2580-53c0-11eb-87c1-5d9e81208fe9.jpg',
'test': {
'v1': 'https://api.testnet.{hostname}/marketdata/v1',
'public': 'https://api.testnet.{hostname}',
'private': 'https://api.testnet.{hostname}',
},
'api': {
'v1': 'https://api.{hostname}/marketdata/v1',
'public': 'https://api.{hostname}',
'private': 'https://api.{hostname}',
},
'www': 'https://www.aaxpro.com', // string website URL
'doc': 'https://www.aaxpro.com/apidoc/index.html',
'fees': 'https://www.aaxpro.com/en-US/fees/',
'referral': 'https://www.aaxpro.com/invite/sign-up?inviteCode=JXGm5Fy7R2MB',
},
'api': {
'v1': {
'get': [
'getHistMarketData', // Get OHLC k line of specific market
],
},
'public': {
// these endpoints are not documented
// 'get': [
// 'order_book', // Get the order book of specified market
// 'order_book/{market}',
// 'trades', // Get recent trades on market, each trade is included only once Trades are sorted in reverse creation order.
// 'trades/{market}',
// 'tickers', // Get ticker of all markets
// 'tickers/{market}', // Get ticker of specific market
// ],
'get': [
'currencies',
'announcement/maintenance', // System Maintenance Notice
'instruments', // Retrieve all trading pairs information
'market/orderbook', // Order Book
'futures/position/openInterest', // Open Interest
'market/tickers', // Get the Last 24h Market Summary
'market/candles', // Get Current Candlestick
'market/history/candles', // Get Current Candlestick
'market/trades', // Get the Most Recent Trades
'market/markPrice', // Get Current Mark Price
'futures/funding/predictedFunding/{symbol}', // Get Predicted Funding Rate
'futures/funding/prevFundingRate/{symbol}', // Get Last Funding Rate
'market/candles/index', // Get Current Index Candlestick
],
},
'private': {
'get': [
'user/info', // Retrieve user information
'account/balances', // Get Account Balances
'account/deposit/address', // undocumented
'spot/trades', // Retrieve trades details for a spot order
'spot/openOrders', // Retrieve spot open orders
'spot/orders', // Retrieve historical spot orders
'futures/position', // Get positions for all contracts
'futures/position/closed', // Get closed positions
'futures/trades', // Retrieve trade details for a futures order
'futures/openOrders', // Retrieve futures open orders
'futures/orders', // Retrieve historical futures orders
'futures/funding/predictedFundingFee/{symbol}', // Get predicted funding fee
],
'post': [
'account/transfer', // Asset Transfer
'spot/orders', // Create a new spot order
'spot/orders/cancelAllOnTimeout', // Automatically cancel all your spot orders after a specified timeout.
'futures/orders', // Create a new futures order
'futures/orders/cancelAllOnTimeout', // Automatically cancel all your futures orders after a specified timeout.
'futures/position/sltp', // Set take profit and stop loss orders for an opening position
'futures/position/close', // Close position
'futures/position/leverage', // Update leverage for position
'futures/position/margin', // Modify Isolated Position Margin
],
'put': [
'spot/orders', // Amend spot order
'futures/orders', // Amend the quantity of an open futures order
],
'delete': [
'spot/orders/cancel/{orderID}', // Cancel a spot order
'spot/orders/cancel/all', // Batch cancel spot orders
'futures/orders/cancel/{orderID}', // Cancel a futures order
'futures/orders/cancel/all', // Batch cancel futures orders
],
},
},
'fees': {
'trading': {
'tierBased': false,
'percentage': true,
'maker': this.parseNumber ('0.0006'),
'taker': this.parseNumber ('0.001'),
},
'funding': {
'tierBased': false,
'percentage': true,
'withdraw': {}, // There is only 1% fee on withdrawals to your bank account.
},
},
'commonCurrencies': {
'XBT': 'XBT',
},
'exceptions': {
'exact': {
'2002': InsufficientFunds,
'2003': OrderNotFound,
'10003': BadRequest, // Parameter validation error
'10006': AuthenticationError, // Session expired, please relogin
'10007': AuthenticationError, // Invalid authentication key or token
'11007': AuthenticationError, // Invalid key format
'20001': InsufficientFunds, // Insufficient balance. Please deposit to trade.
'20009': InvalidOrder, // Order amount must be positive
'30000': OrderNotFound, // {"code":30000,"data":null,"message":"The order does not exist","ts":1610259732263}
'30001': InvalidOrder, // The order is being submitted, please try again later
'30004': InvalidOrder, // Minimum quantity is {0}
'30005': InvalidOrder, // Quantity maximum precision is {0} decimal places
'30006': InvalidOrder, // Price maximum precision is {0} decimal places
'30007': InvalidOrder, // Minimum price is {0}
'30008': InvalidOrder, // Stop price maximum precision is {0} decimal places
'30009': InvalidOrder, // Stop Price cannot be less than {0}
'30010': InvalidOrder, // Market price cannot be empty
'30011': CancelPending, // The order is being cancelled, please wait.
'30012': BadRequest, // Unknown currency
'30013': BadSymbol, // Unknown symbol
'30014': OrderNotFound, // Futures order cannot be found
'30015': InvalidOrder, // This is not an open order and cannot modified
'30016': ExchangeError, // No position found
'30017': InvalidOrder, // The current close position is 0. It is recommended that you cancel the current order closing order.
'30018': InvalidOrder, // Order price cannot be greater than {0}
'30019': InvalidOrder, // Order quantity cannot be greater than {0}
'30020': InvalidOrder, // Order price must be a multiple of {0}
'30021': InvalidOrder, // Margin adjustement must be greater than 0
'30022': InvalidOrder, // New quantity must be greater than filled quantity
'30023': InvalidOrder, // Order failed, please try again
'30024': InvalidOrder, // TimeInForce error, only GTC or IOC are allowed
'30025': InvalidOrder, // TimeInForce error, only GTC is allowed
'30026': InvalidOrder, // Quantity is not a multiple of {0}
'30027': InvalidOrder, // Close position failed, it is recommended that you cancel the current order and then close the position.
'30028': BadSymbol, // Symbol cannot be traded at this time
'30029': InvalidOrder, // Modified quantity or price cannot be empty
'30030': InvalidOrder, // Price cannot be specified for market orders
'30031': InvalidOrder, // Liquidation orders cannot be modified
'30032': InvalidOrder, // Leverage cannot be greater than {0}
'30033': InvalidOrder, // Leverage cannot be smaller than {0}
'30034': RateLimitExceeded, // The max number of open orders is {0}. To place a new order, please cancel a previous one
'30035': RateLimitExceeded, // The max number of {0} open orders is {1}. To place a new order, please cancel a previous one
'30036': ExchangeNotAvailable, // Liquidation is in progress, please try again later
'30037': InvalidOrder, // Once stop limit order triggered, stop price cannot be amended
'30038': ExchangeError, // The total value of your orders has exceeded the current risk limit. Please adjust the risk limit
'30039': InsufficientFunds, // Your risk limit has now been changed to {0}, your maximum leverage less than 1, please readjust accordingly
'30040': InvalidOrder, // Order status has changed, please try again later
'30041': InvalidOrder, // Liquidation orders cannot be cancelled
'30042': InvalidOrder, // Order cannot be placed as you will be breaching you max limit value of {1} BTC for {0}
'30043': InvalidOrder, // The risk limit cannot be less than 0
'30044': BadRequest, // Timeout cannot be greater than 60 minutes
'30045': InvalidOrder, // Side is not valid, it should be BUY or SELL
'30046': InvalidOrder, // Order type is not valid, it should be MARKET or LIMIT or STOP-LIMIT or STOP
'30047': InvalidOrder, // The order is closed. Can't cancel
'30048': InvalidOrder, // Market orders cannot be modified
'30049': InvalidOrder, // The order is being modified, please wait
'30050': InvalidOrder, // Maximum 10 orders
'40004': BadRequest, // Requested resource doesn't exist
'40009': RateLimitExceeded, // Too many requests
'40102': AuthenticationError, // {"code":40102,"message":"Unauthorized(invalid key)"}
'40103': AuthenticationError, // {"code":40103,"message":"Unauthorized(invalid sign)"}
'40303': PermissionDenied, // {"code":40303,"message":"Forbidden(invalid scopes)"}
'41001': BadRequest, // Incorrect HTTP request
'41002': BadRequest, // Unsupported HTTP request method
'42001': ExchangeNotAvailable, // Duplicated data entry, please check and try again
'50001': ExchangeError, // Server side exception, please try again later
'50002': ExchangeError, // Server is busy, please try again later
},
'broad': {},
},
'precisionMode': TICK_SIZE,
'options': {
'defaultType': 'spot', // 'spot', 'future'
'types': {
'spot': 'SPTP',
'future': 'FUTP',
'otc': 'F2CP',
'saving': 'VLTP',
},
'accounts': {
'SPTP': 'spot',
'FUTP': 'future',
'F2CP': 'otc',
'VLTP': 'saving',
},
'networks': {
'ETH': 'ERC20',
'TRX': 'TRC20',
'SOL': 'SPL',
},
},
});
}
async fetchStatus (params = {}) {
const response = await this.publicGetAnnouncementMaintenance (params);
//
// {
// "code": 1,
// "data": {
// "startTime":"2020-06-25T02:15:00.000Z",
// "endTime":"2020-06-25T02:45:00.000Z",
// "description":"Spot Trading :UTC Jun 25, 2020 02:15 to 02:45 (HKT Jun 25 10:15 to 10:45),Futures Trading: UTC Jun 25, 2020 02:15 to 02:45 (HKT Jun 25 10:15 to 10:45).We apologize for any inconvenience caused. Thank you for your patience and understanding.Should you have any enquiries, please do not hesitate our live chat support or via email at [email protected]."
// },
// "message":"success",
// "ts":1593043237000
// }
//
const data = this.safeValue (response, 'data', {});
const timestamp = this.milliseconds ();
const startTime = this.parse8601 (this.safeString (data, 'startTime'));
const endTime = this.parse8601 (this.safeString (data, 'endTime'));
const update = {
'updated': this.safeInteger (response, 'ts', timestamp),
};
if (endTime !== undefined) {
const startTimeIsOk = (startTime === undefined) ? true : (timestamp < startTime);
const isOk = (timestamp > endTime) || startTimeIsOk;
update['eta'] = endTime;
update['status'] = isOk ? 'ok' : 'maintenance';
}
this.status = this.extend (this.status, update);
return this.status;
}
async fetchMarkets (params = {}) {
const response = await this.publicGetInstruments (params);
//
// {
// "code":1,
// "message":"success",
// "ts":1610159448962,
// "data":[
// {
// "tickSize":"0.01",
// "lotSize":"1",
// "base":"BTC",
// "quote":"USDT",
// "minQuantity":"1.0000000000",
// "maxQuantity":"30000",
// "minPrice":"0.0100000000",
// "maxPrice":"999999.0000000000",
// "status":"readOnly",
// "symbol":"BTCUSDTFP",
// "code":"FP",
// "takerFee":"0.00040",
// "makerFee":"0.00020",
// "multiplier":"0.001000000000",
// "mmRate":"0.00500",
// "imRate":"0.01000",
// "type":"futures",
// "settleType":"Vanilla",
// "settleCurrency":"USDT"
// },
// {
// "tickSize":"0.5",
// "lotSize":"10",
// "base":"BTC",
// "quote":"USD",
// "minQuantity":"10.0000000000",
// "maxQuantity":"300000",
// "minPrice":"0.5000000000",
// "maxPrice":"999999.0000000000",
// "status":"readOnly",
// "symbol":"BTCUSDFP",
// "code":"FP",
// "takerFee":"0.00040",
// "makerFee":"0.00020",
// "multiplier":"1.000000000000",
// "mmRate":"0.00500",
// "imRate":"0.01000",
// "type":"futures",
// "settleType":"Inverse",
// "settleCurrency":"BTC"
// },
// {
// "tickSize":"0.0001",
// "lotSize":"0.01",
// "base":"AAB",
// "quote":"USDT",
// "minQuantity":"5.0000000000",
// "maxQuantity":"50000.0000000000",
// "minPrice":"0.0001000000",
// "maxPrice":"999999.0000000000",
// "status":"readOnly",
// "symbol":"AABUSDT",
// "code":null,
// "takerFee":"0.00100",
// "makerFee":"0.00100",
// "multiplier":"1.000000000000",
// "mmRate":"0.02500",
// "imRate":"0.05000",
// "type":"spot",
// "settleType":null,
// "settleCurrency":null
// },
// ]
// }
//
const data = this.safeValue (response, 'data');
const result = [];
for (let i = 0; i < data.length; i++) {
const market = data[i];
const id = this.safeString (market, 'symbol');
const baseId = this.safeString (market, 'base');
const quoteId = this.safeString (market, 'quote');
const base = this.safeCurrencyCode (baseId);
const quote = this.safeCurrencyCode (quoteId);
const status = this.safeString (market, 'status');
const active = (status === 'enable');
const taker = this.safeNumber (market, 'takerFee');
const maker = this.safeNumber (market, 'makerFee');
const type = this.safeString (market, 'type');
let inverse = undefined;
let linear = undefined;
let quanto = undefined;
const spot = (type === 'spot');
const futures = (type === 'futures');
const settleType = this.safeStringLower (market, 'settleType');
if (settleType !== undefined) {
inverse = (settleType === 'inverse');
linear = (settleType === 'vanilla');
quanto = (settleType === 'quanto');
}
let symbol = id;
if (type === 'spot') {
symbol = base + '/' + quote;
}
const precision = {
'amount': this.safeNumber (market, 'lotSize'),
'price': this.safeNumber (market, 'tickSize'),
};
result.push ({
'id': id,
'symbol': symbol,
'base': base,
'quote': quote,
'baseId': baseId,
'quoteId': quoteId,
'type': type,
'spot': spot,
'futures': futures,
'inverse': inverse,
'linear': linear,
'quanto': quanto,
'precision': precision,
'info': market,
'active': active,
'taker': taker,
'maker': maker,
'percentage': false,
'tierBased': true,
'limits': {
'amount': {
'min': this.safeString (market, 'minQuantity'),
'max': this.safeString (market, 'maxQuantity'),
},
'price': {
'min': this.safeString (market, 'minPrice'),
'max': this.safeString (market, 'maxPrice'),
},
'cost': {
'min': undefined,
'max': undefined,
},
},
});
}
return result;
}
async fetchCurrencies (params = {}) {
const response = await this.publicGetCurrencies (params);
//
// {
// "code":1,
// "data":[
// {
// "chain":"BTC",
// "displayName":"Bitcoin",
// "withdrawFee":"0.0004",
// "withdrawMin":"0.001",
// "otcFee":"0",
// "enableOTC":true,
// "visible":true,
// "enableTransfer":true,
// "transferMin":"0.00001",
// "depositMin":"0.0005",
// "enableWithdraw":true,
// "enableDeposit":true,
// "addrWithMemo":false,
// "withdrawPrecision":"0.00000001",
// "currency":"BTC",
// "network":"BTC", // ETH, ERC20, TRX, TRC20, OMNI, LTC, XRP, XLM, ...
// "minConfirm":"2"
// },
// ],
// "message":"success",
// "ts":1624330530697
// }
//
const result = {};
const data = this.safeValue (response, 'data', []);
for (let i = 0; i < data.length; i++) {
const currency = data[i];
const id = this.safeString (currency, 'chain');
const name = this.safeString (currency, 'displayName');
const code = this.safeCurrencyCode (id);
const precision = this.safeNumber (currency, 'withdrawPrecision');
const enableWithdraw = this.safeValue (currency, 'enableWithdraw');
const enableDeposit = this.safeValue (currency, 'enableDeposit');
const fee = this.safeNumber (currency, 'withdrawFee');
const visible = this.safeValue (currency, 'visible');
const active = (enableWithdraw && enableDeposit && visible);
const network = this.safeString (currency, 'network');
result[code] = {
'id': id,
'name': name,
'code': code,
'precision': precision,
'info': currency,
'active': active,
'fee': fee,
'network': network,
'limits': {
'deposit': {
'min': this.safeNumber (currency, 'depositMin'),
'max': undefined,
},
'withdraw': {
'min': this.safeNumber (currency, 'withdrawMin'),
'max': undefined,
},
},
};
}
return result;
}
parseTicker (ticker, market = undefined) {
//
// {
// "t":1610162685342, // timestamp
// "a":"0.00000000", // trading volume in USD in the last 24 hours, futures only
// "c":"435.20000000", // close
// "d":"4.22953489", // change
// "h":"455.04000000", // high
// "l":"412.78000000", // low
// "o":"417.54000000", // open
// "s":"BCHUSDTFP", // market id
// "v":"2031068.00000000", // trading volume in quote currency of last 24 hours
// }
//
const timestamp = this.safeInteger (ticker, 't');
const marketId = this.safeString (ticker, 's');
const symbol = this.safeSymbol (marketId, market);
const last = this.safeNumber (ticker, 'c');
const open = this.safeNumber (ticker, 'o');
const quoteVolume = this.safeNumber (ticker, 'v');
return this.safeTicker ({
'symbol': symbol,
'timestamp': timestamp,
'datetime': undefined,
'high': this.safeNumber (ticker, 'h'),
'low': this.safeNumber (ticker, 'l'),
'bid': undefined,
'bidVolume': undefined,
'ask': undefined,
'askVolume': undefined,
'vwap': undefined,
'open': open,
'close': last,
'last': last,
'previousClose': undefined,
'change': undefined,
'percentage': undefined,
'average': undefined,
'baseVolume': undefined,
'quoteVolume': quoteVolume,
'info': ticker,
}, market);
}
async fetchTickers (symbols = undefined, params = {}) {
await this.loadMarkets ();
const response = await this.publicGetMarketTickers (params);
//
// {
// "e":"tickers",
// "t":1610162685342,
// "tickers":[
// {
// "a":"0.00000000",
// "c":"435.20000000",
// "d":"4.22953489",
// "h":"455.04000000",
// "l":"412.78000000",
// "o":"417.54000000",
// "s":"BCHUSDTFP",
// "v":"2031068.00000000",
// },
// ],
// }
//
const tickers = this.safeValue (response, 'tickers', []);
const result = [];
const timestamp = this.safeInteger (response, 't');
for (let i = 0; i < tickers.length; i++) {
const ticker = this.parseTicker (this.extend (tickers[i], { 't': timestamp }));
result.push (ticker);
}
return this.filterByArray (result, 'symbol', symbols);
}
async fetchOrderBook (symbol, limit = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
if (limit === undefined) {
limit = 20;
} else {
if ((limit !== 20) && (limit !== 50)) {
throw new BadRequest (this.id + ' fetchOrderBook() limit argument must be undefined, 20 or 50');
}
}
const request = {
'symbol': market['id'],
'level': limit, // required
};
//
const response = await this.publicGetMarketOrderbook (this.extend (request, params));
//
// {
// "asks":[
// ["10823.00000000","0.004000"],
// ["10823.10000000","0.100000"],
// ["10823.20000000","0.010000"]
// ],
// "bids":[
// ["10821.20000000","0.002000"],
// ["10821.10000000","0.005000"],
// ["10820.40000000","0.013000"]
// ],
// "e":"BTCUSDT@book_50",
// "t":1561543614756
// }
//
const timestamp = this.safeInteger (response, 't'); // need unix type
return this.parseOrderBook (response, symbol, timestamp);
}
parseTrade (trade, market = undefined) {
//
// public fetchTrades
//
// {
// "i":"T1qzQeZG9g",
// "p":"-61348.81000000",
// "q":"0.045400",
// "s":"sell",
// "t":1635731102731
// }
//
// private fetchMyTrades
//
// {
// "avgPrice":"1199.8",
// "base":"ETH",
// "clOrdID":null,
// "commission":"0.00002",
// "createTime":"2021-01-11T02:47:51.512Z",
// "cumQty":"0.02",
// "filledOrderID":"1eUD4F5rwK",
// "filledPrice":"1199.8",
// "filledQty":"0.02",
// "leavesQty":"0",
// "oCreateTime":"2021-01-11T02:47:51.377Z",
// "orderID":"1eUD4EHfdU",
// "orderQty":"0.02",
// "orderStatus":3,
// "orderType":1,
// "price":"1198.25",
// "quote":"USDT",
// "rejectCode":null,
// "rejectReason":null,
// "side":1,
// "stopPrice":"0",
// "symbol":"ETHUSDT",
// "taker":true,
// "tradeID":"E04WTIgfmULU",
// "transactTime":"2021-01-11T02:47:51.389Z",
// "updateTime":null,
// "userID":"1362494"
// }
//
let timestamp = this.safeInteger (trade, 't');
if (timestamp === undefined) {
timestamp = this.parse8601 (this.safeString (trade, 'createTime'));
}
let id = this.safeString2 (trade, 'tid', 'tradeID');
id = this.safeString (trade, 'i', id);
const marketId = this.safeString (trade, 'symbol');
market = this.safeMarket (marketId, market);
const symbol = market['symbol'];
let priceString = this.safeString2 (trade, 'p', 'filledPrice');
const amountString = this.safeString2 (trade, 'q', 'filledQty');
const orderId = this.safeString (trade, 'orderID');
const isTaker = this.safeValue (trade, 'taker');
let takerOrMaker = undefined;
if (isTaker !== undefined) {
takerOrMaker = isTaker ? 'taker' : 'maker';
}
let side = this.safeString (trade, 'side');
if (side === '1') {
side = 'buy';
} else if (side === '2') {
side = 'sell';
}
if (side === undefined) {
side = (priceString[0] === '-') ? 'sell' : 'buy';
}
priceString = Precise.stringAbs (priceString);
const orderType = this.parseOrderType (this.safeString (trade, 'orderType'));
let fee = undefined;
const feeCost = this.safeString (trade, 'commission');
if (feeCost !== undefined) {
let feeCurrency = undefined;
if (market !== undefined) {
if (side === 'buy') {
feeCurrency = market['base'];
} else if (side === 'sell') {
feeCurrency = market['quote'];
}
}
fee = {
'currency': feeCurrency,
'cost': feeCost,
};
}
return this.safeTrade ({
'info': trade,
'id': id,
'timestamp': timestamp,
'datetime': this.iso8601 (timestamp),
'symbol': symbol,
'type': orderType,
'side': side,
'order': orderId,
'takerOrMaker': takerOrMaker,
'price': priceString,
'amount': amountString,
'cost': undefined,
'fee': fee,
}, market);
}
async fetchTrades (symbol, since = undefined, limit = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
limit = (limit === undefined) ? 2000 : limit;
limit = Math.min (limit, 2000);
const request = {
'symbol': market['id'],
'limit': limit,
};
const response = await this.publicGetMarketTrades (request);
//
// {
// "e":"BTCUSDT@trades",
// "trades":[
// {"i":"T1qzQeZG9g","p":"-61348.81000000","q":"0.045400","s":"sell","t":1635731102731},
// {"i":"T1qzQeU6UK","p":"61343.10000000","q":"0.179300","s":"buy","t":1635731102133},
// {"i":"T1qzQe5BQm","p":"-61346.02000000","q":"0.021100","s":"sell","t":1635731099231},
// ]
// }
//
const trades = this.safeValue (response, 'trades', []);
return this.parseTrades (trades, market, since, limit);
}
parseOHLCV (ohlcv, market = undefined) {
//
// [
// 0.042398, // 0 open
// 0.042684, // 1 high
// 0.042366, // 2 low
// 0.042386, // 3 close
// 0.93734243, // 4 volume
// 1611514800, // 5 timestamp
// ]
//
return [
this.safeTimestamp (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 = '1h', since = undefined, limit = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
// 'limit': limit, // if set counts from now into the past
'symbol': market['id'],
'timeFrame': this.timeframes[timeframe],
};
limit = (limit === undefined) ? 500 : limit;
const duration = this.parseTimeframe (timeframe);
if (since === undefined) {
const end = this.seconds ();
request['start'] = end - duration * limit;
request['end'] = end;
} else {
const start = parseInt (since / 1000);
request['start'] = start;
request['end'] = this.sum (start, duration * limit);
}
const response = await this.publicGetMarketHistoryCandles (this.extend (request, params));
//
// {
// "data":[
// [0.042398,0.042684,0.042366,0.042386,0.93734243,1611514800],
// [0.042386,0.042602,0.042234,0.042373,1.01925239,1611518400],
// [0.042373,0.042558,0.042362,0.042389,0.93801705,1611522000],
// ],
// "success":true,
// "t":1611875157
// }
//
const data = this.safeValue (response, 'data', []);
return this.parseOHLCVs (data, market, timeframe, since, limit);
}
async fetchBalance (params = {}) {
await this.loadMarkets ();
const defaultType = this.safeString2 (this.options, 'fetchBalance', 'defaultType', 'spot');
const type = this.safeString (params, 'type', defaultType);
const types = this.safeValue (this.options, 'types', {});
const purseType = this.safeString (types, type, type);
const request = {
'purseType': purseType,
};
params = this.omit (params, 'type');
const response = await this.privateGetAccountBalances (this.extend (request, params));
//
// {
// "code":1,
// "data":[
// {
// "purseType":"FUTP",
// "currency":"BTC",
// "available":"0.41000000",
// "unavailable":"0.00000000"
// },
// {
// "purseType":"FUTP",
// "currency":"USDT",
// "available":"0.21000000",
// "unvaliable":"0.00000000"
// }
// ]
// "message":"success",
// "ts":1573530401020
// }
//
const data = this.safeValue (response, 'data');
const timestamp = this.safeInteger (response, 'ts');
const result = {
'info': response,
'timestamp': timestamp,
'datetime': this.iso8601 (timestamp),
};
for (let i = 0; i < data.length; i++) {
const balance = data[i];
const balanceType = this.safeString (balance, 'purseType');
if (balanceType === purseType) {
const currencyId = this.safeString (balance, 'currency');
const code = this.safeCurrencyCode (currencyId);
const account = this.account ();
account['free'] = this.safeString (balance, 'available');
account['used'] = this.safeString (balance, 'unavailable');
result[code] = account;
}
}
return this.parseBalance (result);
}
async createOrder (symbol, type, side, amount, price = undefined, params = {}) {
let orderType = type.toUpperCase ();
const orderSide = side.toUpperCase ();
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
// 'orderType': orderType, // MARKET, LIMIT, STOP, STOP-LIMIT
'symbol': market['id'],
'orderQty': this.amountToPrecision (symbol, amount),
'side': orderSide,
// 'stopPrice': this.priceToPrecision (symbol, stopPrice),
// 'clOrdID': clientOrderId, // up to 20 chars, lowercase and uppercase letters only
// 'timeInForce': 'GTC', // GTC, IOC, FOK, default is GTC
// 'execInst': 'Post-Only', // the only value supported by the exchange, futures and spot
};
const clientOrderId = this.safeString2 (params, 'clOrdID', 'clientOrderId');
if (clientOrderId !== undefined) {
request['clOrdID'] = clientOrderId;
}
const postOnly = this.safeValue (params, 'postOnly', false);
if (postOnly !== undefined) {
request['execInst'] = 'Post-Only';
}
params = this.omit (params, [ 'clOrdID', 'clientOrderId', 'postOnly' ]);
const stopPrice = this.safeNumber (params, 'stopPrice');
if (stopPrice === undefined) {
if ((orderType === 'STOP-LIMIT') || (orderType === 'STOP')) {
throw new ArgumentsRequired (this.id + ' createOrder() requires a stopPrice parameter for ' + orderType + ' orders');
}
} else {
if (orderType === 'LIMIT') {
orderType = 'STOP-LIMIT';
} else if (orderType === 'MARKET') {
orderType = 'STOP';
}
request['stopPrice'] = this.priceToPrecision (symbol, stopPrice);
params = this.omit (params, 'stopPrice');
}
if (orderType === 'LIMIT' || orderType === 'STOP-LIMIT') {
request['price'] = this.priceToPrecision (symbol, price);
}
request['orderType'] = orderType;
let method = undefined;
if (market['spot']) {
method = 'privatePostSpotOrders';
} else if (market['futures']) {
method = 'privatePostFuturesOrders';
}
const response = await this[method] (this.extend (request, params));
//
// spot
//
// {
// "code":1,
// "data":{
// "symbol":"ETHUSDT",
// "orderType":2,
// "avgPrice":"0",
// "execInst":null,
// "orderStatus":0,
// "userID":"1362494",
// "quote":"USDT",
// "rejectReason":null,
// "rejectCode":null,
// "price":"1500",
// "orderQty":"1",
// "commission":"0",
// "id":"268323430253735936",
// "timeInForce":1,
// "isTriggered":false,
// "side":2,
// "orderID":"1eO51MDSpQ",
// "leavesQty":"0",
// "cumQty":"0",
// "updateTime":null,
// "lastQty":"0",
// "clOrdID":null,
// "stopPrice":null,
// "createTime":null,
// "transactTime":null,
// "base":"ETH",
// "lastPrice":"0"
// },
// "message":"success",
// "ts":1610245290980
// }
//
// futures
//
// {
// "code":1,
// "data":{
// "liqType":0,
// "symbol":"ETHUSDTFP",
// "orderType":2,
// "leverage":"1",
// "marketPrice":"1318.3150000000",
// "code":"FP",
// "avgPrice":"0",
// "execInst":null,
// "orderStatus":0,
// "userID":"1362494",
// "quote":"USDT",
// "rejectReason":null,
// "rejectCode":null,
// "price":"500",
// "orderQty":"1",
// "commission":"0",
// "id":"268346885133053953",
// "timeInForce":1,
// "isTriggered":false,
// "side":1,
// "orderID":"1eOuPUAAkq",
// "leavesQty":"1",
// "cumQty":"0",
// "updateTime":null,
// "lastQty":null,
// "clOrdID":null,
// "stopPrice":null,
// "createTime":null,
// "transactTime":null,
// "settleType":"VANILLA",
// "base":"ETH",
// "lastPrice":"0"
// },
// "message":"success",
// "ts":1610250883059
// }
//
const data = this.safeValue (response, 'data', {});
return this.parseOrder (data, market);
}
async editOrder (id, symbol, type, side, amount, price = undefined, params = {}) {
await this.loadMarkets ();
const market = this.market (symbol);
const request = {
'orderID': id,
// 'orderQty': this.amountToPrecision (symbol, amount),
// 'price': this.priceToPrecision (symbol, price),
// 'stopPrice': this.priceToPrecision (symbol, stopPrice),
};
const stopPrice = this.safeNumber (params, 'stopPrice');
if (stopPrice !== undefined) {
request['stopPrice'] = this.priceToPrecision (symbol, stopPrice);
params = this.omit (params, 'stopPrice');
}
if (price !== undefined) {