WIP amélioratuib de la com avec lichess

This commit is contained in:
Pascal RIGAUD
2026-02-09 22:30:38 +01:00
parent 1e258f6805
commit 6ee40225c0
3 changed files with 668 additions and 459 deletions

View File

@@ -1,83 +1,50 @@
#include "lichessboard.h" #include "LichessBoard.h"
LichessBoard::LichessBoard() LichessBoard::LichessBoard(const char *token)
: apiToken(token), streaming(false), lastHeartbeat(0)
{ {
streaming = false; client.setInsecure();
lastHeartbeat = 0;
onMoveReceived = nullptr;
onGameStateChanged = nullptr;
} }
void LichessBoard::setToken(String token) void LichessBoard::setMoveCallback(std::function<void(String, String, String, String)> callback)
{
apiToken = token;
}
void LichessBoard::setMoveCallback(MoveCallback callback)
{ {
onMoveReceived = callback; onMoveReceived = callback;
} }
void LichessBoard::setGameStateCallback(GameStateCallback callback) void LichessBoard::setGameStateCallback(std::function<void(String)> callback)
{ {
onGameStateChanged = callback; onGameStateChanged = callback;
} }
bool LichessBoard::streamGame(String gameId) bool LichessBoard::connectToGame(const char *gameId)
{ {
if (streaming) currentGameId = String(gameId);
{
stop();
}
currentGameId = gameId;
client.setInsecure(); // Pour HTTPS sans certificat
Serial.println("Connexion à Lichess..."); Serial.println("Connexion à Lichess...");
if (!client.connect("lichess.org", 443)) if (!client.connect("lichess.org", 443))
{ {
Serial.println("Échec connexion"); Serial.println("Échec connexion SSL");
return false; return false;
} }
// Requête HTTP pour le stream String request = String("GET /api/board/game/stream/") + gameId + " HTTP/1.1\r\n" +
String request = "GET /api/board/game/stream/" + gameId + " HTTP/1.1\r\n"; "Host: lichess.org\r\n" +
request += "Host: lichess.org\r\n"; "Authorization: Bearer " + apiToken + "\r\n" +
if (apiToken.length() > 0) "Connection: keep-alive\r\n\r\n";
{
request += "Authorization: Bearer " + apiToken + "\r\n";
}
request += "Accept: application/x-ndjson\r\n";
request += "Connection: keep-alive\r\n";
request += "\r\n";
client.print(request); client.print(request);
Serial.println("Requête envoyée, attente réponse..."); Serial.println("Requête envoyée, attente réponse...");
// Attendre les headers HTTP // Lire les headers HTTP
unsigned long timeout = millis(); while (client.connected())
while (client.connected() && !client.available())
{
if (millis() - timeout > 5000)
{
Serial.println("Timeout headers");
client.stop();
return false;
}
delay(10);
}
// Lire les headers
bool headersEnded = false;
while (client.available() && !headersEnded)
{ {
String line = client.readStringUntil('\n'); String line = client.readStringUntil('\n');
Serial.println("Header: " + line);
if (line == "\r" || line.length() == 0) if (line == "\r" || line.length() == 0)
{ {
headersEnded = true; break;
} }
Serial.println("Header: " + line);
} }
streaming = true; streaming = true;
@@ -87,227 +54,6 @@ bool LichessBoard::streamGame(String gameId)
return true; return true;
} }
bool LichessBoard::streamMyGames()
{
if (apiToken.length() == 0)
{
Serial.println("Token requis pour streamMyGames");
return false;
}
if (streaming)
{
stop();
}
client.setInsecure();
if (!client.connect("lichess.org", 443))
{
Serial.println("Échec connexion");
return false;
}
String request = "GET /api/board/game/stream HTTP/1.1\r\n";
request += "Host: lichess.org\r\n";
request += "Authorization: Bearer " + apiToken + "\r\n";
request += "Accept: application/x-ndjson\r\n";
request += "Connection: keep-alive\r\n";
request += "\r\n";
client.print(request);
// Skip headers
while (client.connected())
{
String line = client.readStringUntil('\n');
if (line == "\r" || line.length() == 0)
break;
}
streaming = true;
lastHeartbeat = millis();
return true;
}
bool LichessBoard::streamEvents()
{
if (apiToken.length() == 0)
{
Serial.println("Token requis");
return false;
}
if (streaming)
{
stop();
}
client.setInsecure();
if (!client.connect("lichess.org", 443))
{
Serial.println("Échec connexion");
return false;
}
String request = "GET /api/stream/event HTTP/1.1\r\n";
request += "Host: lichess.org\r\n";
request += "Authorization: Bearer " + apiToken + "\r\n";
request += "Accept: application/x-ndjson\r\n";
request += "Connection: keep-alive\r\n";
request += "\r\n";
client.print(request);
// Skip headers
while (client.connected())
{
String line = client.readStringUntil('\n');
if (line == "\r" || line.length() == 0)
break;
}
streaming = true;
lastHeartbeat = millis();
return true;
}
void LichessBoard::parseLine(String line)
{
line.trim();
if (line.length() == 0)
{
// Heartbeat (ligne vide)
lastHeartbeat = millis();
return;
}
Serial.println("JSON reçu: " + line);
StaticJsonDocument<256> doc;
DeserializationError error = deserializeJson(doc, line);
if (error)
{
Serial.print("Erreur JSON: ");
Serial.println(error.c_str());
return;
}
// Type d'événement
const char *type = doc["type"];
if (strcmp(type, "gameFull") == 0)
{
// État complet de la partie au début
Serial.println("=== Partie complète reçue ===");
const char *gameId = doc["id"];
const char *state = doc["state"]["status"];
Serial.print("Game ID: ");
Serial.println(gameId);
Serial.print("État: ");
Serial.println(state);
if (onGameStateChanged)
{
onGameStateChanged(String(state));
}
// Récupérer tous les coups déjà joués
const char *moves = doc["state"]["moves"];
if (moves && strlen(moves) > 0)
{
Serial.print("Coups joués: ");
Serial.println(moves);
}
// FEN initial si disponible
const char *initialFen = doc["initialFen"];
if (initialFen)
{
Serial.print("FEN: ");
Serial.println(initialFen);
}
}
else if (strcmp(type, "gameState") == 0)
{
// Mise à jour de l'état (nouveau coup)
Serial.println("=== Nouveau coup ===");
const char *moves = doc["moves"];
const char *status = doc["status"];
Serial.print("Tous les coups: ");
Serial.println(moves);
Serial.print("État: ");
Serial.println(status);
if (onGameStateChanged)
{
onGameStateChanged(String(status));
}
// Extraire le dernier coup
if (moves && strlen(moves) > 0)
{
String allMoves = String(moves);
int lastSpace = allMoves.lastIndexOf(' ');
String lastMove = (lastSpace >= 0) ? allMoves.substring(lastSpace + 1) : allMoves;
// Format UCI: e2e4
if (lastMove.length() >= 4)
{
String from = lastMove.substring(0, 2);
String to = lastMove.substring(2, 4);
Serial.print("Dernier coup: ");
Serial.print(from);
Serial.print(" -> ");
Serial.println(to);
if (onMoveReceived)
{
onMoveReceived(from, to, lastMove, "");
}
}
}
}
else if (strcmp(type, "gameStart") == 0)
{
// Nouvelle partie démarrée
JsonObject game = doc["game"];
const char *gameId = game["id"];
Serial.print("Nouvelle partie: ");
Serial.println(gameId);
if (onGameStateChanged)
{
onGameStateChanged("started");
}
}
else if (strcmp(type, "gameFinish") == 0)
{
// Partie terminée
JsonObject game = doc["game"];
const char *gameId = game["id"];
Serial.print("Partie terminée: ");
Serial.println(gameId);
if (onGameStateChanged)
{
onGameStateChanged("finished");
}
}
}
void LichessBoard::loop() void LichessBoard::loop()
{ {
if (!streaming) if (!streaming)
@@ -315,99 +61,392 @@ void LichessBoard::loop()
return; return;
} }
// Vérifier timeout
if (millis() - lastHeartbeat > heartbeatTimeout) if (millis() - lastHeartbeat > heartbeatTimeout)
{ {
Serial.println("Timeout stream!"); Serial.println("⏱️ Timeout stream!");
stop(); stop();
return; return;
} }
// Lire les données disponibles
while (client.available()) while (client.available())
{ {
String line = client.readStringUntil('\n'); String line = client.readStringUntil('\n');
parseLine(line); line.trim();
// ✅ Ligne vide = heartbeat
if (line.length() == 0)
{
lastHeartbeat = millis();
Serial.println("💓 Heartbeat");
continue;
}
// ✅ Ignorer chunks HTTP
if (isHexString(line))
{
Serial.println("🔸 Chunk HTTP ignoré: " + line);
continue;
}
// ✅ Traiter JSON
if (line[0] == '{')
{
parseLine(line);
}
else
{
Serial.println("⚠️ Ligne ignorée: " + line);
}
} }
// Vérifier connexion
if (!client.connected()) if (!client.connected())
{ {
Serial.println("Connexion perdue"); Serial.println("Connexion perdue");
stop(); stop();
} }
} }
void LichessBoard::stop() void LichessBoard::stop()
{ {
if (client.connected()) if (streaming)
{ {
client.stop(); client.stop();
streaming = false;
currentGameId = "";
Serial.println("⏹️ Stream arrêté");
} }
streaming = false;
currentGameId = "";
Serial.println("Stream arrêté");
} }
bool LichessBoard::isStreaming() LichessBoard::Move LichessBoard::parseMove(const String &uci)
{ {
return streaming; Move move;
} move.uci = uci;
move.from = uci.substring(0, 2);
move.to = uci.substring(2, 4);
move.isCastling = false;
move.isKingSide = false;
move.display = uci; // Par défaut, afficher l'UCI
String LichessBoard::getCurrentGameId() // Détecter les roques
{ if ((move.from == "e1" || move.from == "e8") &&
return currentGameId; (move.to == "g1" || move.to == "g8" ||
} move.to == "c1" || move.to == "c8"))
bool LichessBoard::getGameState(String gameId, String &fen, String &lastMove)
{
WiFiClientSecure httpClient;
httpClient.setInsecure();
if (!httpClient.connect("lichess.org", 443))
{ {
return false;
}
String request = "GET /game/export/" + gameId + "?moves=true&clocks=false HTTP/1.1\r\n"; move.isCastling = true;
request += "Host: lichess.org\r\n";
request += "Accept: application/json\r\n";
request += "Connection: close\r\n";
request += "\r\n";
httpClient.print(request); if (move.to[0] == 'g')
// Skip headers
while (httpClient.connected())
{
String line = httpClient.readStringUntil('\n');
if (line == "\r")
break;
}
// Lire JSON
String json = httpClient.readString();
httpClient.stop();
StaticJsonDocument<4096> doc;
DeserializationError error = deserializeJson(doc, json);
if (error)
{
return false;
}
const char *moves = doc["moves"];
if (moves)
{
lastMove = String(moves);
// Extraire le dernier coup
int lastSpace = lastMove.lastIndexOf(' ');
if (lastSpace >= 0)
{ {
lastMove = lastMove.substring(lastSpace + 1); // Petit roque
move.isKingSide = true;
move.display = "O-O";
Serial.println("🏰 PETIT ROQUE (O-O)");
}
else
{
// Grand roque
move.isKingSide = false;
move.display = "O-O-O";
Serial.println("🏰 GRAND ROQUE (O-O-O)");
} }
} }
return move;
}
void LichessBoard::parseLine(const String &line)
{
lastHeartbeat = millis();
StaticJsonDocument<2048> doc;
DeserializationError error = deserializeJson(doc, line);
if (error)
{
Serial.print("❌ Erreur JSON: ");
Serial.println(error.c_str());
return;
}
Serial.print("📦 JSON reçu (");
Serial.print(line.length());
Serial.println(" bytes)");
if (!doc.containsKey("type"))
{
Serial.println("⚠️ Pas de champ 'type'");
return;
}
const char *type = doc["type"];
Serial.print("✅ Type: ");
Serial.println(type);
if (strcmp(type, "gameFull") == 0)
{
Serial.println("=== Partie complète reçue ===");
if (doc.containsKey("id"))
{
const char *gameId = doc["id"];
if (gameId)
{
Serial.print("Game ID: ");
Serial.println(gameId);
}
}
if (doc["state"].containsKey("status"))
{
const char *state = doc["state"]["status"];
if (state)
{
Serial.print("État: ");
Serial.println(state);
Serial.println();
if (onGameStateChanged)
{
onGameStateChanged(String(state));
}
}
}
Serial.println("📢 État partie: " + String(doc["state"]["status"].as<const char *>()));
if (doc["state"].containsKey("moves"))
{
String moves = doc["state"]["moves"].as<String>();
Serial.print("Coups joués: ");
Serial.println(moves);
}
if (doc.containsKey("initialFen"))
{
Serial.print("FEN: ");
Serial.println(doc["initialFen"].as<String>());
}
else
{
Serial.println("FEN: startpos");
}
}
else if (strcmp(type, "gameState") == 0)
{
Serial.println("=== Nouveau coup ===");
if (doc.containsKey("moves"))
{
String allMoves = doc["moves"].as<String>();
Serial.print("Tous les coups: ");
Serial.println(allMoves);
if (allMoves.length() > 0)
{
int lastSpace = allMoves.lastIndexOf(' ');
String lastMoveUci = (lastSpace >= 0) ? allMoves.substring(lastSpace + 1) : allMoves;
if (lastMoveUci.length() >= 4)
{
// ✅ Parser le coup
lastMove = parseMove(lastMoveUci);
// Affichage avec notation standard
Serial.print("🎯 Coup: ");
Serial.println(lastMove.display);
if (lastMove.isCastling)
{
Serial.print(" Détails: ");
Serial.print(lastMove.from);
Serial.print(" -> ");
Serial.print(lastMove.to);
Serial.print(" (");
Serial.print(lastMove.isKingSide ? "petit roque" : "grand roque");
Serial.println(")");
}
Serial.println("\n🎯 NOUVEAU COUP:");
Serial.println(" De: " + lastMove.from);
Serial.println(" À: " + lastMove.to);
Serial.println(" Notation: " + lastMove.display);
if (doc.containsKey("status"))
{
Serial.print("État: ");
Serial.println(doc["status"].as<String>());
Serial.println();
}
if (onMoveReceived)
{
String fen = doc.containsKey("fen") ? doc["fen"].as<String>() : "";
onMoveReceived(lastMove.from, lastMove.to, lastMove.uci, fen);
}
}
}
}
if (doc.containsKey("status"))
{
const char *status = doc["status"];
Serial.println("📢 État partie: " + String(status));
if (onGameStateChanged)
{
onGameStateChanged(String(status));
}
}
}
else if (strcmp(type, "chatLine") == 0)
{
Serial.println("💬 Message chat reçu");
}
else
{
Serial.println("⚠️ Type inconnu: " + String(type));
}
}
bool LichessBoard::isHexString(const String &str)
{
if (str.length() == 0 || str.length() > 8)
return false;
for (char c : str)
{
if (!isxdigit(c))
return false;
}
return true;
}
bool LichessBoard::streamCurrentGame()
{
Serial.println("🔍 Recherche de la partie en cours...");
WiFiClientSecure tempClient;
tempClient.setInsecure();
if (!tempClient.connect("lichess.org", 443))
{
Serial.println("❌ Échec connexion pour récupérer les parties");
return false;
}
// Requête pour obtenir les parties en cours
String request = "GET /api/account/playing HTTP/1.1\r\n" +
String("Host: lichess.org\r\n") +
"Authorization: Bearer " + apiToken + "\r\n" +
"Accept: application/json\r\n" +
"Connection: close\r\n\r\n";
tempClient.print(request);
// Lire les headers
while (tempClient.connected())
{
String line = tempClient.readStringUntil('\n');
if (line == "\r" || line.length() == 0)
{
break;
}
}
// Lire le body JSON
String jsonResponse = "";
while (tempClient.available())
{
jsonResponse += tempClient.readString();
}
tempClient.stop();
Serial.println("📥 Réponse API:");
Serial.println(jsonResponse);
// ⚠️ ALLOCATION DYNAMIQUE SUR LE HEAP
DynamicJsonDocument *doc = new DynamicJsonDocument(4096);
DeserializationError error = deserializeJson(*doc, jsonResponse);
if (error)
{
Serial.print("❌ Erreur parsing JSON: ");
Serial.println(error.c_str());
return false;
}
// Vérifier s'il y a des parties en cours
if (!(*doc).containsKey("nowPlaying") || (*doc)["nowPlaying"].size() == 0)
{
Serial.println("❌ Aucune partie en cours");
return false;
}
// Récupérer la première partie (la plus récente)
JsonObject firstGame = (*doc)["nowPlaying"][0];
const char *gameId = firstGame["gameId"];
if (!gameId)
{
Serial.println("❌ Impossible de récupérer l'ID de partie");
return false;
}
Serial.print("✅ Partie trouvée: ");
Serial.println(gameId);
// Afficher infos supplémentaires
if (firstGame.containsKey("opponent"))
{
const char *opponent = firstGame["opponent"]["username"];
Serial.print(" Adversaire: ");
Serial.println(opponent);
}
if (firstGame.containsKey("isMyTurn"))
{
bool myTurn = firstGame["isMyTurn"];
Serial.print(" Mon tour: ");
Serial.println(myTurn ? "Oui" : "Non");
}
// Se connecter au stream de cette partie
return connectToGame(gameId);
}
bool LichessBoard::streamMyGames()
{
Serial.println("🎮 Démarrage du stream de toutes mes parties...");
if (!client.connect("lichess.org", 443))
{
Serial.println("❌ Échec connexion SSL");
return false;
}
String request = "GET /api/board/game/stream/incoming HTTP/1.1\r\n" +
String("Host: lichess.org\r\n") +
"Authorization: Bearer " + apiToken + "\r\n" +
"Connection: keep-alive\r\n\r\n";
client.print(request);
Serial.println("📡 Stream de toutes les parties démarré");
// Lire les headers
while (client.connected())
{
String line = client.readStringUntil('\n');
Serial.println("Header: " + line);
if (line == "\r" || line.length() == 0)
{
break;
}
}
streaming = true;
lastHeartbeat = millis();
Serial.println("✅ Stream actif!");
return true; return true;
} }

View File

@@ -5,55 +5,51 @@
#include <WiFiClientSecure.h> #include <WiFiClientSecure.h>
#include <ArduinoJson.h> #include <ArduinoJson.h>
// Callback pour chaque coup reçu
typedef void (*MoveCallback)(String from, String to, String san, String fen);
typedef void (*GameStateCallback)(String state); // started, finished, etc.
class LichessBoard class LichessBoard
{ {
public:
struct Move
{
String from;
String to;
String uci; // Notation UCI (ex: e1g1)
String display; // Notation affichage (ex: O-O)
bool isCastling;
bool isKingSide;
};
LichessBoard(const char *token);
void setMoveCallback(std::function<void(String, String, String, String)> callback);
void setGameStateCallback(std::function<void(String)> callback);
bool connectToGame(const char *gameId);
void loop();
void stop();
bool isStreaming() const { return streaming; }
String getCurrentGameId() const { return currentGameId; }
Move getLastMove() const { return lastMove; }
bool streamCurrentGame(); // Stream la partie en cours
bool streamMyGames(); // Stream toutes les parties en cours
private: private:
WiFiClientSecure client; WiFiClientSecure client;
String apiToken; const char *apiToken;
String currentGameId;
bool streaming; bool streaming;
String lastLine; String currentGameId;
Move lastMove;
MoveCallback onMoveReceived;
GameStateCallback onGameStateChanged;
unsigned long lastHeartbeat; unsigned long lastHeartbeat;
const unsigned long heartbeatTimeout = 10000; // 10 secondes const unsigned long heartbeatTimeout = 35000;
// Parse une ligne JSON du stream std::function<void(String, String, String, String)> onMoveReceived;
void parseLine(String line); std::function<void(String)> onGameStateChanged;
public: void parseLine(const String &line);
LichessBoard(); bool isHexString(const String &str);
Move parseMove(const String &uci);
// Configuration
void setToken(String token);
void setMoveCallback(MoveCallback callback);
void setGameStateCallback(GameStateCallback callback);
// Stream d'une partie spécifique
bool streamGame(String gameId);
// Stream de vos parties en cours (nécessite token)
bool streamMyGames();
// Stream des événements de votre compte
bool streamEvents();
// À appeler dans loop()
void loop();
// Contrôle
void stop();
bool isStreaming();
String getCurrentGameId();
// Récupérer l'état actuel d'une partie (non-stream)
bool getGameState(String gameId, String &fen, String &lastMove);
}; };
#endif #endif

View File

@@ -1,121 +1,295 @@
#include <Arduino.h> #include <Arduino.h>
#include <WiFiManager.h> #include <WiFi.h>
#include <ElegantOTA.h>
#include <WebServer.h> #include <WebServer.h>
#include "LichessBoard.h" #include "LichessBoard.h"
const char *ssid = "home";
const char *password = "0123456789";
const char *lichessToken = "lip_ccje7pt8qzmrVT48d1V8";
WebServer server(80); WebServer server(80);
WiFiManager wm; LichessBoard lichess(lichessToken);
LichessBoard lichess;
String lastMoveDisplay = "";
String currentGameId = ""; String currentGameId = "";
String gameStatus = "Aucune partie";
// Callback quand un coup est joué // ========== PAGE WEB ==========
void onMove(String from, String to, String san, String fen) const char *htmlPage = R"rawliteral(
{ <!DOCTYPE html>
Serial.println("\n🎯 NOUVEAU COUP:"); <html>
Serial.println(" De: " + from); <head>
Serial.println(" À: " + to); <meta charset="UTF-8">
Serial.println(" Notation: " + san); <meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Lichess Board Stream</title>
<style>
body {
font-family: 'Segoe UI', Tahoma, Geneva, Verdana, sans-serif;
background: linear-gradient(135deg, #667eea 0%, #764ba2 100%);
color: white;
padding: 20px;
margin: 0;
}
.container {
max-width: 600px;
margin: 0 auto;
background: rgba(255,255,255,0.1);
backdrop-filter: blur(10px);
border-radius: 20px;
padding: 30px;
box-shadow: 0 8px 32px rgba(0,0,0,0.3);
}
h1 {
text-align: center;
margin-bottom: 30px;
text-shadow: 2px 2px 4px rgba(0,0,0,0.3);
}
.info-box {
background: rgba(255,255,255,0.2);
padding: 15px;
border-radius: 10px;
margin: 15px 0;
}
.btn {
background: #4CAF50;
color: white;
border: none;
padding: 15px 30px;
border-radius: 10px;
font-size: 16px;
cursor: pointer;
width: 100%;
margin: 10px 0;
transition: background 0.3s;
}
.btn:hover {
background: #45a049;
}
.btn-stop {
background: #f44336;
}
.btn-stop:hover {
background: #da190b;
}
.status {
text-align: center;
font-size: 24px;
margin: 20px 0;
}
input {
width: 100%;
padding: 12px;
border-radius: 8px;
border: none;
margin: 10px 0;
font-size: 16px;
box-sizing: border-box;
}
.last-move {
font-size: 48px;
text-align: center;
margin: 20px 0;
text-shadow: 3px 3px 6px rgba(0,0,0,0.5);
}
</style>
</head>
<body>
<div class="container">
<h1> Lichess Board Stream</h1>
// ICI: Allumer des LEDs, bouger des servos, etc. <div class="status">
} <div id="streaming"> En attente</div>
</div>
// Callback changement d'état <div class="last-move" id="lastMove">--</div>
void onGameState(String state)
{ <div class="info-box">
Serial.println("\n📢 État partie: " + state); <strong>Partie:</strong> <span id="gameId">Aucune</span><br>
} <strong>État:</strong> <span id="status">--</span>
</div>
<button class="btn" onclick="streamCurrent()">
🎮 Streamer ma partie en cours
</button>
<div style="margin: 20px 0; text-align: center; color: rgba(255,255,255,0.7);">
OU
</div>
<input type="text" id="gameIdInput" placeholder="ID de partie (ex: abc12345)">
<button class="btn" onclick="streamSpecific()">
🎯 Streamer cette partie
</button>
<button class="btn btn-stop" onclick="stopStream()">
Arrêter le stream
</button>
</div>
<script>
function updateInfo() {
fetch('/json')
.then(r => r.json())
.then(data => {
document.getElementById('streaming').innerHTML =
data.streaming ? '🔴 EN DIRECT' : ' En attente';
document.getElementById('lastMove').innerText =
data.lastMove || '--';
document.getElementById('gameId').innerText =
data.gameId || 'Aucune';
document.getElementById('status').innerText =
data.status || '--';
});
}
function streamCurrent() {
fetch('/stream-current')
.then(r => r.text())
.then(msg => alert(msg));
}
function streamSpecific() {
const gameId = document.getElementById('gameIdInput').value;
if (!gameId) {
alert('Veuillez entrer un ID de partie');
return;
}
fetch('/start?gameId=' + gameId)
.then(r => r.text())
.then(msg => alert(msg));
}
function stopStream() {
fetch('/stop')
.then(r => r.text())
.then(msg => alert(msg));
}
setInterval(updateInfo, 1000);
updateInfo();
</script>
</body>
</html>
)rawliteral";
void setup() void setup()
{ {
Serial.begin(115200); Serial.begin(115200);
Serial.println("\n\n=== DÉMARRAGE ===");
// WiFiManager - Portail captif automatique // Connexion WiFi
// Si pas de WiFi configuré, crée un AP "ESP32-Setup" WiFi.begin(ssid, password);
wm.setConfigPortalTimeout(180); // 3 min timeout Serial.print("Connexion WiFi");
while (WiFi.status() != WL_CONNECTED)
if (!wm.autoConnect("ESP32-Setup", "12345678"))
{ {
Serial.println("Échec connexion WiFi"); delay(500);
ESP.restart(); Serial.print(".");
} }
Serial.println("\n✅ WiFi connecté!");
Serial.println("WiFi connecté!");
Serial.print("IP: "); Serial.print("IP: ");
Serial.println(WiFi.localIP()); Serial.println(WiFi.localIP());
// Configuration Lichess // ========== CALLBACKS LICHESS ==========
lichess.setMoveCallback(onMove); lichess.setMoveCallback([](String from, String to, String uci, String fen)
lichess.setGameStateCallback(onGameState); {
LichessBoard::Move move = lichess.getLastMove();
lastMoveDisplay = move.display;
// OPTIONNEL: Token API pour vos parties privées Serial.println("\n━━━━━━━━━━━━━━━━━━━━━━━━");
// Générer sur: https://lichess.org/account/oauth/token Serial.println("🔔 NOUVEAU COUP REÇU!");
lichess.setToken("lip_ccje7pt8qzmrVT48d1V8"); Serial.println("━━━━━━━━━━━━━━━━━━━━━━━━");
Serial.println(" Notation: " + move.display);
// Interface web if (move.isCastling) {
server.on("/", []() Serial.println(" ⚠️ C'est un ROQUE!");
{ if (move.isKingSide) {
String html = "<html><head><meta charset='utf-8'><style>"; Serial.println(" Type: Petit roque (O-O)");
html += "body{font-family:Arial;max-width:600px;margin:50px auto;padding:20px;}"; if (from == "e1") {
html += "input{width:100%;padding:10px;margin:10px 0;font-size:16px;}"; Serial.println(" Blancs: ♔ e1→g1, ♖ h1→f1");
html += "button{width:100%;padding:15px;font-size:18px;background:#4CAF50;color:white;border:none;cursor:pointer;}"; } else {
html += "button:hover{background:#45a049;}"; Serial.println(" Noirs: ♚ e8→g8, ♜ h8→f8");
html += ".status{background:#f0f0f0;padding:15px;margin:10px 0;border-radius:5px;}"; }
html += "</style></head><body>";
html += "<h1>🎮 ESP32 Lichess Board</h1>";
if (lichess.isStreaming()) {
html += "<div class='status'>✅ Stream actif: " + lichess.getCurrentGameId() + "</div>";
html += "<button onclick='location.href=\"/stop\"'>⏹️ Arrêter</button>";
} else {
html += "<div class='status'>⭕ Aucun stream actif</div>";
html += "<form action='/stream' method='POST'>";
html += "<input name='gameid' placeholder='ID de partie (ex: abc12345)' required>";
html += "<button type='submit'>▶️ Démarrer Stream</button>";
html += "</form>";
}
html += "<hr><p>Exemples d'ID:</p>";
html += "<ul><li>Partie TV Lichess: https://lichess.org/<b>abc12345</b></li></ul>";
html += "<a href='/update'>🔄 OTA Update</a>";
html += "</body></html>";
server.send(200, "text/html", html); });
server.on("/stream", HTTP_POST, []()
{
if (server.hasArg("gameid")) {
currentGameId = server.arg("gameid");
currentGameId.trim();
if (lichess.streamGame(currentGameId)) {
server.sendHeader("Location", "/");
server.send(303);
} else { } else {
server.send(500, "text/plain", "Erreur démarrage stream"); Serial.println(" Type: Grand roque (O-O-O)");
if (from == "e1") {
Serial.println(" Blancs: ♔ e1→c1, ♖ a1→d1");
} else {
Serial.println(" Noirs: ♚ e8→c8, ♜ a8→d8");
}
} }
} else { } else {
server.send(400, "text/plain", "ID manquant"); Serial.println(" Type: Coup normal");
Serial.println(" De: " + from + " → À: " + to);
}
Serial.println("━━━━━━━━━━━━━━━━━━━━━━━━\n"); });
lichess.setGameStateCallback([](String state)
{
gameStatus = state;
Serial.println("🎮 État partie: " + state); });
// ========== ROUTES WEB ==========
// Page principale
server.on("/", HTTP_GET, []()
{ server.send(200, "text/html", htmlPage); });
// API JSON
server.on("/json", HTTP_GET, []()
{
StaticJsonDocument<512> doc;
doc["streaming"] = lichess.isStreaming();
doc["gameId"] = lichess.getCurrentGameId();
doc["lastMove"] = lastMoveDisplay;
doc["status"] = gameStatus;
doc["connected"] = WiFi.status() == WL_CONNECTED;
doc["uptime"] = millis() / 1000;
String json;
serializeJson(doc, json);
server.send(200, "application/json", json); });
// ⭐ NOUVELLE ROUTE: Stream partie en cours
server.on("/stream-current", HTTP_GET, []()
{
if (lichess.streamCurrentGame()) {
server.send(200, "text/plain", "✅ Stream démarré sur votre partie en cours");
} else {
server.send(500, "text/plain", "❌ Aucune partie en cours ou erreur");
} }); } });
server.on("/stop", []() // Stream partie spécifique
server.on("/start", HTTP_GET, []()
{
if (server.hasArg("gameId")) {
currentGameId = server.arg("gameId");
if (lichess.connectToGame(currentGameId.c_str())) {
server.send(200, "text/plain", "✅ Stream démarré: " + currentGameId);
} else {
server.send(500, "text/plain", "❌ Erreur connexion");
}
} else {
server.send(400, "text/plain", "❌ Paramètre gameId manquant");
} });
// Arrêter le stream
server.on("/stop", HTTP_GET, []()
{ {
lichess.stop(); lichess.stop();
server.sendHeader("Location", "/"); server.send(200, "text/plain", "⏹️ Stream arrêté"); });
server.send(303); });
// ElegantOTA - Interface web élégante pour OTA
ElegantOTA.begin(&server);
server.begin(); server.begin();
Serial.println("HTTP server + OTA démarrés"); Serial.println("🌐 Serveur web démarré");
Serial.println("Ouvrez: http://" + WiFi.localIP().toString()); Serial.println("👉 Ouvrez http://" + WiFi.localIP().toString());
lichess.streamMyGames();
} }
void loop() void loop()
{ {
server.handleClient(); server.handleClient();
ElegantOTA.loop(); lichess.loop();
lichess.loop(); // ⚠️ IMPORTANT: appeler dans loop()
} }