-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.py
281 lines (236 loc) · 11.9 KB
/
main.py
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
from binance.client import Client
from binance.enums import *
from binance.exceptions import BinanceAPIException
from config import api_key, api_secret, quantity, price_buy, price_sell, stop_buy, stop_sell, symbol, channel, token
import requests
from binance import ThreadedWebsocketManager
import logging
import time
import threading
# Инициализация клиента
client = Client(api_key, api_secret)
# Лог файл, создается автоматически в той же директории где лежит файл скрипта
logging.basicConfig(filename='script_logs.log', level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
# Счётчик ордеров
counter_orders = 0
# Количество попыток выставить ордер в случае недостаточного баланса
max_retries = 3
# Telegram
def send_messages(order, type_order, counter):
if type_order == "Error":
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=f'Ошибка при выставлении ордера, {order}'))
if res.status_code != 200:
raise ValueError("Failed to send message")
elif type_order == 'BUY':
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=f'Выставлен лимитный ордер на покупку {counter},'
f' Order ID: {order["orderId"]}'))
if res.status_code != 200:
raise ValueError("Failed to send message")
elif type_order == 'SELL':
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=f'Выставлен лимитный ордер на продажу {counter},'
f' Order ID: {order["orderId"]}'))
if res.status_code != 200:
raise ValueError("Failed to send message")
elif type_order == 'BUY_MARKET':
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=f'Выставлен рыночный ордер на покупку {counter},'
f' Order ID: {order["orderId"]}'))
if res.status_code != 200:
raise ValueError("Failed to send message")
elif type_order == 'SELL_MARKET':
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=f'Выставлен рыночный ордер на продажу {counter},'
f' Order ID: {order["orderId"]}'))
if res.status_code != 200:
raise ValueError("Failed to send message")
elif type_order == 'e':
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=f'Ошибка подключения к сокету, {order}'))
if res.status_code != 200:
raise ValueError("Failed to send message")
# def check_balance():
# # Получение информации о свойствах торговой пары
# symbol_info = client.get_symbol_info(symbol)
#
# # Определение используемой валюты
# base_asset = symbol_info['baseAsset']
# quote_asset = symbol_info['quoteAsset']
#
# # Получение текущего баланса базовой валюты
# base_asset_balance = client.get_asset_balance(asset=base_asset)
# base_balance = float(base_asset_balance)
#
# # Получение текущего баланса котируемой валюты
# quote_asset_balance = client.get_asset_balance(asset=quote_asset)
# quote_balance = float(quote_asset_balance)
# # Определение текущей цены тикера
# ticker = client.get_ticker(symbol=symbol)
# price = float(ticker['lastPrice'])
# Размещение ордера на покупку по рынку
def place_order_buy_market():
global counter_orders
try:
order = client.create_margin_order(
isIsolated=True,
symbol=symbol,
type=ORDER_TYPE_MARKET,
side=SIDE_BUY,
quantity=quantity)
counter_orders += 1
send_messages(order, 'BUY_MARKET', counter_orders)
logging.info(order)
print(order)
print('Размещение рыночного ордера на покупку')
except Exception as e:
send_messages(e, "Error", counter_orders)
logging.error(e)
# Размещение ордера на продажу по рынку
def place_order_sell_market():
global counter_orders
try:
order = client.create_margin_order(
isIsolated=True,
symbol=symbol,
type=ORDER_TYPE_MARKET,
side=SIDE_SELL,
quantity=quantity)
counter_orders += 1
send_messages(order, 'SELL_MARKET', counter_orders)
logging.info(order)
print(order)
print('Размещение рыночного ордера на продажу')
except Exception as e:
send_messages(e, "Error", counter_orders)
logging.error(e)
# Размещение лимитного ордера на покупку
def place_order_buy():
retries = 0
global counter_orders
while retries < max_retries:
try:
order_type = ORDER_TYPE_STOP_LOSS_LIMIT
order = client.create_margin_order(
isIsolated=True,
symbol=symbol,
stopPrice=stop_buy,
price=price_buy,
type=order_type,
timeInForce=TIME_IN_FORCE_GTC,
side=SIDE_BUY,
quantity=quantity)
counter_orders += 1
send_messages(order, 'BUY', counter_orders)
logging.info(order)
print(order)
except Exception as e:
if isinstance(e, BinanceAPIException) and e.code == -2010 and 'insufficient balance' in e.message:
retries += 1
logging.error(e)
print('Недостаточно баланса')
send_messages(e, "Error", counter_orders)
time.sleep(3)
else:
place_order_buy_market()
send_messages(e, "Error", counter_orders)
logging.error(e)
break
# Размещение лимитного ордера на продажу
def place_order_sell():
retries = 0
global counter_orders
while retries < max_retries:
try:
order_type = ORDER_TYPE_STOP_LOSS_LIMIT
order = client.create_margin_order(
isIsolated=True,
symbol=symbol,
stopPrice=stop_sell,
price=price_sell,
type=order_type,
timeInForce=TIME_IN_FORCE_GTC,
side=SIDE_SELL,
quantity=quantity)
counter_orders += 1
send_messages(order, 'SELL', counter_orders)
logging.info(order)
print(order)
break
except Exception as e:
if isinstance(e, BinanceAPIException) and e.code == -2010 and 'insufficient balance' in e.message:
retries += 1
logging.error(e)
print('Недостаточно баланса')
send_messages(e, "Error", counter_orders)
time.sleep(3)
else:
place_order_sell_market()
send_messages(e, "Error", counter_orders)
logging.error(e)
break
# Основной код программы
def main():
# Проверяем есть ли открытые ордера, если есть то выводим их на экран
open_orders = client.get_open_margin_orders(symbol=symbol, isIsolated='TRUE')
print(open_orders)
# Если открытых ордеров нет, то выставляем ордер на покупку
if len(open_orders) == 0:
print('Размещение лимитного ордера на покупку')
place_order_buy()
# Иницииализация сокета
twm = ThreadedWebsocketManager(api_key=api_key, api_secret=api_secret)
twm.start()
# Функция для обработки событий с биржи
def handle_socket_message(message):
# Если проихсодит какое-то событие на бирже и оно относится к исполнению ордеров,
# то выводим эти сообщения на экран
if 'e' in message and message['e'] == 'executionReport':
logging.info(message)
# Если ордер на покупку исполнен, то размещаем ордер на продажу
if message['X'] == 'FILLED' and message['S'] == 'BUY':
place_order_sell()
print("Размещение лимитного ордера на продажу")
# Иначе, если ордер на продажу исполнен, то размещаем ордер на покупку
elif message['X'] == 'FILLED' and message['S'] == 'SELL':
place_order_buy()
print("Размещение лимитного ордера на покупку")
elif message['e'] == 'error':
print('error')
logging.error(message)
send_messages(message, "Error", counter_orders)
twm.stop()
twm.start()
twm.start_isolated_margin_socket(callback=handle_socket_message, symbol=symbol)
twm.join()
# Периодическая отправка сообщений в телеграмм, для проверки состояния работы скрипта
def send_status_message():
while True:
time.sleep(5)
open_orders = client.get_open_margin_orders(symbol=symbol, isIsolated='TRUE')
num_open_orders = len(open_orders)
order_id_list = []
for orders in range(num_open_orders):
order_id_list.append(open_orders[orders]['orderId'])
order_id_ = ", ".join(map(str, order_id_list))
if num_open_orders > 0:
message = f"Скрипт запущен, количество открытых ордеров - {num_open_orders}" \
f"\nOrder ID: {order_id_}"
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=message))
if res.status_code != 200:
raise ValueError("Failed to send message")
else:
message = f"Скрипт запущен, но количество открытых ордеров - {num_open_orders}\n" \
f"Если с момента исполнения последнего ордера прошло относительно много времени, " \
f"рекомендуется проверить лог файлы на наличие ошибок и перезапустить скрипт"
res = requests.get('https://api.telegram.org/bot{}/sendMessage'.format(token),
params=dict(chat_id=channel, text=message))
if res.status_code != 200:
raise ValueError("Failed to send message")
time.sleep(300)
thread = threading.Thread(target=send_status_message)
thread.start()
if __name__ == "__main__":
main()