-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbotduo1min.py
507 lines (483 loc) · 32.2 KB
/
botduo1min.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
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
import sqlite3
import pandas as pd
import hmac
import time
import hashlib
import requests
from urllib.parse import urlencode
from binance.client import Client
import threading
from collections import deque
from datetime import datetime
import numpy as np
import talib
API_KEY = ""
API_SECRET = ""
#BASE_URL = "https://api.binance.com"
#BASE_URL = "https://testnet.binance.vision"
client = Client(API_KEY, API_SECRET)
INTERVAL = Client.KLINE_INTERVAL_1MINUTE
seuil_acceleration = 5 # Minimum d'augmentation nécessaire
seuil_deceleration = -10 # Si la pente chute trop avant croisement, on annule
previous_signal = None
signal_detected = False
signal = None
position_signal = None
position_signals = None
close_window_s = deque(maxlen=150)
time_window_s = deque(maxlen=150)
tema20_window_s = deque(maxlen=10)
tema50_window_s = deque(maxlen=10)
slope20_window_s = deque(maxlen=10)
slope50_window_s = deque(maxlen=10)
last_buy_price_window = deque(maxlen=20)
fdusd = 0.0# même que votre solde divisé par 2
btc = 0.00012# même que votre solde divisé par 2
initial_display_done = False
initial_buy = False
initial_sell = False
initiate = False
def read_signal():
try:
with open('signal.txt', 'r') as file:
position_signal = file.read().strip()
# Supprimer le contenu du fichier après lecture
with open('signal.txt', 'w') as file:
file.truncate(0) # Efface le contenu du fichier
return position_signal
except FileNotFoundError:
return None
def get_binance_server_time():
response = requests.get(BASE_URL + "/api/v3/time")
server_time = response.json()["serverTime"]
local_time = int(time.time() * 1000)
#print(f"Local time: {local_time}, Binance server time: {server_time}")
#print(f"Time difference: {server_time - local_time} ms")
return server_time
# Générer une signature HMAC-SHA256
def hashing(query_string):
return hmac.new(API_SECRET.encode(), query_string.encode(), hashlib.sha256).hexdigest()
# Créer une session avec les headers
session = requests.Session()
session.headers.update({"Content-Type": "application/json", "X-MBX-APIKEY": API_KEY})
# Fonction pour envoyer une requête signée
def send_signed_request(http_method, url_path, payload={}):
payload["timestamp"] = get_binance_server_time() # Synchronisation avec Binance
payload["recvWindow"] = 5000 # Augmenter la fenêtre de réception
query_string = urlencode(sorted(payload.items())) # Trier les paramètres
signature = hashing(query_string) # Générer la signature
url = f"{BASE_URL}{url_path}?{query_string}&signature={signature}"
#print(f"{http_method} {url}") # Debugging
response = session.request(http_method, url)
if response.status_code == 200:
return response.json()
else:
#print("Error:", response.json()) # Debug
return response.json()
# Fonction pour envoyer une requête publique (sans signature)
def send_public_request(url_path, payload={}):
query_string = urlencode(payload)
url = f"{BASE_URL}{url_path}"
if query_string:
url += f"?{query_string}"
#print("GET", url) # Debugging
response = session.get(url)
return response.json()
# Vérifier la synchronisation avec Binance
get_binance_server_time()
# Récupérer les informations du compte
response = send_signed_request("GET", "/api/v3/account")
def get_BTC_balance():
account_info = send_signed_request("GET", "/api/v3/account")
#print("Réponse de Binance:", account_info) # 🔥 Debug
if "balances" not in account_info:
#print("⚠️ Erreur: 'balances' n'existe pas dans la réponse !")
return 0.0 # Retourne 0 pour éviter le crash
for balance in account_info["balances"]:
if balance["asset"] == "BTC":
return float(balance["free"])
return 0.0
def get_FDUSD_balance():
account_info = send_signed_request("GET", "/api/v3/account")
for balance in account_info["balances"]:
if balance["asset"] == "FDUSD":
return float(balance["free"])
return 0.0
def get_price(symbol):
"""Récupère le prix actuel du marché pour un symbole donné."""
response = requests.get(f"https://api.binance.com/api/v3/ticker/price?symbol={symbol}")
return float(response.json()["price"])
btc_balance = get_BTC_balance()
print(f"Solde BTC disponible : {btc_balance}")
fdusd_balance = get_FDUSD_balance()
print(f"Solde FDUSD disponible : {fdusd_balance}")
price = get_price("BTCFDUSD")
print(f"Le prix actuel du BTC en FDUSD est de {price}")
#last_buy_price = get_price("BTCFDUSD")
#last_buy_price_window.append(last_buy_price)
#last_buym = last_buy_price
#print(last_buy_price)
def compute_TEMA(data, period):
if len(data) < period:
print(f"Pas assez de données pour calculer TEMA (besoin de {period} points)")
return None
np_data = np.array(data, dtype=float)
tema = talib.TEMA(np_data, timeperiod=period)
return tema[-1]
# Calcul de la pente sur les 'window' derniers points par régression linéaire.
def compute_slope(data, window=2):
if len(data) < window:
return None
y = np.array(data[-window:], dtype=float)
x = np.arange(window)
slope, _ = np.polyfit(x, y, 1)
return slope
def get_historical_data():
global close_window_s, tema20_window_s, tema50_window_s, slope20_window_s, slope50_window_s
# Récupérer les dernières bougies historiques
klines = client.get_klines(symbol='BTCFDUSD', interval=INTERVAL, limit=150)
# Initialiser les données avec les bougies récupérées
initial_data = [float(kline[4]) for kline in klines] # Utilisation des prix de clôture
# Remplir les fenêtres avec les données historiques
close_window_s.extend(initial_data)
for price in initial_data:
tema20s = compute_TEMA(list(close_window_s), period=20)
tema20_window_s.append(tema20s)
tema50s = compute_TEMA(list(close_window_s), period=50)
tema50_window_s.append(tema50s)
if len(tema20_window_s) > 2 and len(tema50_window_s) > 2:
slope20s = compute_slope(list(tema20_window_s))
slope20_window_s.append(slope20s)
slope50s = compute_slope(list(tema50_window_s))
slope50_window_s.append(slope50s)
#38330
btcacquis = 0.00006
def ORDER(side):
# Passer un ordre d'achat (market)
precision = 5
amt_str = "{:0.0{}f}".format(btcacquis, precision)
buy_params = {
"symbol": "BTCFDUSD",
"side": side,
"type": "MARKET",
"quantity": amt_str,
}
buy_response = send_signed_request("POST", "/api/v3/order", buy_params)
print("Buy order response:", buy_response)
# Fonction pour récupérer et traiter les nouvelles bougies
vente = btcacquis*0.99925
achat = btcacquis*1.00075
fdusddepenses = 1000
seuil15 = 1.00333
seuil1 = 1.0015
def handle_new_candle_s():
global fdusd_balance, btc_balance, last_buy_price, initial_display_done, initial_buy, initial_sell, btc, fdusd, previous_signal, signal,position_signal,signal_detected,position_signals, btcacquis, initiate
# Récupérer la dernière bougiem
klines = client.get_klines(symbol='BTCFDUSD', interval=INTERVAL, limit=1)
# Obtenir la clôture de la dernière bougie
close_price = float(klines[0][4]) # 4 = Close price
close_window_s.append(close_price)
print(f"🕒 Bougie clôturée, prix: {close_price:.2f}")
# Calculer les indicateurs TEMA
tema20s = compute_TEMA(list(close_window_s), period=20)
tema20_window_s.append(tema20s)
tema50s = compute_TEMA(list(close_window_s), period=50)
tema50_window_s.append(tema50s)
if len(tema20_window_s) > 2 and len(tema50_window_s) > 2:
slope20s = compute_slope(list(tema20_window_s))
slope20_window_s.append(slope20s)
slope50s = compute_slope(list(tema50_window_s))
slope50_window_s.append(slope50s)
# Affichage de l'état initial uniquement la première fois
if not initial_display_done:
print(f"🔄 État Initial - 📉 Dernière Bougie: {close_price:.2f} | "
f"📈 Pente TEMA20: {slope20s if slope20s is not None else 'N/A'} | "
f"📉 Pente TEMA50: {slope50s if slope50s is not None else 'N/A'} | "
f"TEMA20: {tema20s:.2f} | TEMA50: {tema50s:.2f}")
initial_display_done = True
# Attente de la fin de la bougie actuelle
current_time = time.time()
next_candle_time = (current_time // 60 + 1) * 60 # Prochain multiple de 900s (15min)
sleep_time = next_candle_time - current_time
print(f"Attente de {sleep_time:.2f} secondes jusqu'à la prochaine clôture de bougie...")
time.sleep(sleep_time)
price = get_price('BTCFDUSD')
btc_balance = get_BTC_balance()
fdusd_balance = get_FDUSD_balance()
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}")
if len(slope20_window_s) > 2 and len(slope50_window_s) > 2:
position_signal = read_signal()
print(f"Position Signal: {position_signal}")
if position_signal:
print(f"Position Signal: {position_signal}")
position_signals = position_signal
print(f"Position Signal: {position_signals}")
if position_signal and position_signal == 'SHORT':
if not initiate:
if btc_balance >= btcacquis and btc >= btcacquis:
ORDER("SELL")
fdusd += vente*price # Conversion de BTC en FDUSD
btc -= btcacquis
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, ENTREE SIGNAL 15M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
initiate = True
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i]*seuil15 < price and btc_balance >= btcacquis and btc >= btcacquis:
ORDER("SELL")
fdusd += vente*price # Conversion de BTC en FDUSD
btc -= btcacquis
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, AUTRES ENTREE SIGNAL 15M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
if position_signal and position_signal == 'LONG':
if not initiate:
if fdusd_balance >= achat*price and fdusd >= achat*price :
ORDER("BUY")
btc += btcacquis # Achat du maximum possible
fdusd -= achat*price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, ENTREE SIGNAL 15M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
initiate = True
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] > price*seuil15 and fdusd_balance >= achat*price and fdusd >= achat*price :
ORDER('BUY')
btc += btcacquis # Achat du maximum possible
fdusd -= achat*price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, AUTREES ENTREE SIGNAL 15M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
# Vente (si en position et conditions remplies)
if position_signals and position_signals == "LONG":
# Vente (si en position et conditions remplies)
if tema20s > tema50s and tema20_window_s[-2] > tema50_window_s[-2] and tema20_window_s[-3] > tema50_window_s[-3] :
if slope20s is not None and slope20s < 0 and slope20_window_s[-2] > 0 and slope20_window_s[-3] > 0 :
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i]*seuil15 < price and btc_balance >= btcacquis and btc >= btcacquis:
fdusd += vente*price # Conversion de BTC en FDUSD
btc -= btcacquis
ORDER('SELL')
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, prix d'achat {last_buy_price_window[i]:.2f}, SIGNAL 15M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
# Achat (si hors position et conditions remplies)
if tema20s < tema50s and tema20_window_s[-2] < tema50_window_s[-2] and tema20_window_s[-3] < tema50_window_s[-3]:
if slope20s is not None and slope50s is not None and slope20s > 0 and slope50s < 0 and slope20_window_s[-2] < 0 and slope50_window_s[-2] < 0 and slope20_window_s[-3] < 0 and slope50_window_s[-3] < 0:
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] > price *seuil15 and fdusd_balance >= achat*price and fdusd >= achat*price:
ORDER('BUY')
btc += btcacquis # Achat du maximum possible
fdusd -= achat * price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, SIGNAL 15M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
if position_signals and position_signals == "SHORT":
# Vente (si en position et conditions remplies)
if tema20s > tema50s and tema20_window_s[-2] > tema50_window_s[-2] and tema20_window_s[-3] > tema50_window_s[-3] :
if slope20s is not None and slope20s < 0 and slope20_window_s[-2] > 0 and slope20_window_s[-3] > 0 :
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] * seuil15 < price and btc_balance >= btcacquis and btc >= btcacquis:
ORDER('SELL')
fdusd += vente * price # Conversion de BTC en FDUSD
btc -= btcacquis
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, SIGNAL 15M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
# Achat (si hors position et conditions remplies)
if tema20s < tema50s and tema20_window_s[-2] < tema50_window_s[-2] and tema20_window_s[-3] < tema50_window_s[-3]:
if slope20s is not None and slope50s is not None and slope20s > 0 and slope50s < 0 and slope20_window_s[-2] < 0 and slope50_window_s[-2] < 0 and slope20_window_s[-3] < 0 and slope50_window_s[-3] < 0:
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] > price*seuil15 and fdusd_balance >= achat*price and fdusd >= achat*price:
ORDER('BUY')
btc += btcacquis # Achat du maximum possible
fdusd -= achat * price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, prix de vente {last_buy_price_window[i]:.2f}, SIGNAL 15M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
if signal == "LONG":
# Vente (si en position et conditions remplies)
if tema20s > tema50s and tema20_window_s[-2] > tema50_window_s[-2] and tema20_window_s[-3] > tema50_window_s[-3] :
if slope20s is not None and slope20s < 0 and slope20_window_s[-2] > 0 and slope20_window_s[-3] > 0 :
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] * seuil1 < price and btc_balance >= btcacquis and btc >= btcacquis:
fdusd += vente*price # Conversion de BTC en FDUSD
btc -= btcacquis
ORDER('SELL')
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, prix d'achat {last_buy_price_window[i]:.2f}, SIGNAL 1M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
# Achat (si hors position et conditions remplies)
if tema20s < tema50s and tema20_window_s[-2] < tema50_window_s[-2] and tema20_window_s[-3] < tema50_window_s[-3]:
if slope20s is not None and slope50s is not None and slope20s > 0 and slope50s < 0 and slope20_window_s[-2] < 0 and slope50_window_s[-2] < 0 and slope20_window_s[-3] < 0 and slope50_window_s[-3] < 0:
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] > price* seuil1 and fdusd_balance >= achat*price and fdusd >= achat*price:
ORDER('BUY')
btc += btcacquis# Achat du maximum possible
fdusd -= achat*price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, SIGNAL 1M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
if signal == "SHORT":
# Vente (si en position et conditions remplies)
if tema20s > tema50s and tema20_window_s[-2] > tema50_window_s[-2] and tema20_window_s[-3] > tema50_window_s[-3] :
if slope20s is not None and slope20s < 0 and slope20_window_s[-2] > 0 and slope20_window_s[-3] > 0 :
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] * seuil1 < price and btc_balance >= btcacquis and btc >= btcacquis:
ORDER('SELL')
fdusd += vente*price
btc -= btcacquis
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, SIGNAL 1M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(last_buy_price_window[-38:])
# Achat (si hors position et conditions remplies)
if tema20s < tema50s and tema20_window_s[-2] < tema50_window_s[-2] and tema20_window_s[-3] < tema50_window_s[-3]:
if slope20s is not None and slope50s is not None and slope20s > 0 and slope50s < 0 and slope20_window_s[-2] < 0 and slope50_window_s[-2] < 0 and slope20_window_s[-3] < 0 and slope50_window_s[-3] < 0:
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] > price* seuil1 and fdusd_balance >= achat*price and fdusd >= achat*price:
#usdt_balance -= 0.0001 * close_price * 1.00075 # Tout l'USDT est converti en BTC
#btc_balance += 0.0001 # Achat du maximum possible
ORDER('BUY')
btc += btcacquis # Achat du maximum possible
fdusd -= achat*price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, prix de vente {last_buy_price_window[i]:.2f},SIGNAL 1M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
# Affichage des informations
candle_time = datetime.now().strftime("%d-%m-%Y %H:%M:%S")
if tema20s < tema50s:
print(f" {candle_time} |💚 U (pente TEMA20: {slope20s} ), (pente TEMA50: {slope50s} ) (TEMA20: {f'\033[94m{tema20s:.2f}\033[0m'} < TEMA50: {f'\033[93m{tema50s:.2f}\033[0m'}) 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, 💰: {price:.6f}")
if (slope20_window_s[-1] - slope20_window_s[-2] < seuil_deceleration) and (slope20_window_s[-1] < slope50_window_s[-1]) and (slope50_window_s[-1] < slope50_window_s[-2]):
print("🔥 Signal valide : TEMA20 accélère avant croisement")
if not signal_detected:
previous_signal = 'SHORT'
signal_detected = True
if signal_detected and previous_signal != 'SHORT':
signal='SHORT'
if not initiate:
if btc_balance >= btcacquis and btc >= btcacquis:
ORDER('SELL')
fdusd += vente*price # Conversion de BTC en USDT
btc -= btcacquis
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, ENTREE SIGNAL 1M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
initiate = True
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] * seuil1 < price and btc_balance >= btcacquis and btc >= btcacquis:
#btc_balance -= 0.0001000
#fdusd_balance += 0.0001000 * close_price * 0.99925 # Conversion de BTC en USDT
ORDER('SELL')
fdusd += vente*price # Conversion de BTC en USDT
btc -= btcacquis
last_buy_price = price
print(f"🔥VENTE à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, {last_buy_price_window[i]}AUTRES SIGNAL 1M SHORT")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
previous_signal = 'SHORT'
else:
print(f" {candle_time} |❤️ n (pente TEMA20: {slope20s} ), (pente TEMA50: {slope50s} )( (TEMA20: {f'\033[94m{tema20s:.2f}\033[0m'} >= TEMA50: {f'\033[93m{tema50s:.2f}\033[0m'}) 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, 💰: {price:.6f}")
if (slope20_window_s[-1] - slope20_window_s[-2] > seuil_acceleration) and (slope20_window_s[-1] > slope50_window_s[-1])and (slope50_window_s[-1] > slope50_window_s[-2]):
print("🔥 Signal valide : TEMA20 accélère avant croisement")
if not signal_detected:
previous_signal = 'LONG'
signal_detected = True
if signal_detected and previous_signal != 'LONG':
signal='LONG'
if not initiate:
if fdusd_balance >= achat*price and fdusd >= achat*price:
ORDER('BUY')
btc += btcacquis # Achat du maximum possible
fdusd -= achat*price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, ENTREE SIGNAL 1M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
initiate = True
if len(last_buy_price_window) >=1:
for i in range(len(last_buy_price_window) - 1, -1, -1):
if last_buy_price_window[i] > price* seuil1 and fdusd_balance >= achat*price and fdusd >= achat*price:
ORDER('BUY')
btc += btcacquis # Achat du maximum possible
fdusd -= achat*price
last_buy_price = price # Enregistrer le prix d'achat
print(f"🔥ACHAT à 💰{last_buy_price:.6f}, 🪙: {btc_balance:.6f}, 💲 : {fdusd_balance:.6f}, {last_buy_price_window[i]}, AUTRES SIGNAL 1M LONG ")
print(f"SIMU 🪙: {btc:.6f}, 💲 : {fdusd:.6f}, 💰{close_price:.6f}")
last_buy_price_window.remove(last_buy_price_window[i])
if last_buy_price not in last_buy_price_window:
last_buy_price_window.append(last_buy_price)
print(list(last_buy_price_window)[-38:])
previous_signal = 'LONG' # Mise à jour du signal précédent# Fonction principale pour démarrer la simulation live
def run_live_simulations():
# Charger les données historiques au début
get_historical_data()
# Commencer à vérifier les nouvelles bougies après avoir chargé les données
while True:
try:
handle_new_candle_s()
except Exception as e:
print(f"Erreur lors de la récupération des données: {e}")
time.sleep(10) # Attendre un peu avant de réessayer
if __name__ == "__main__":
run_live_simulations()