more on robustness, also mitigate thundering herd
This commit is contained in:
parent
090c66f649
commit
954075ea6e
|
|
@ -25,7 +25,6 @@ void cmd_transport_register_listener(cmd_line_handler_t handler) {
|
|||
}
|
||||
}
|
||||
|
||||
// Trim trailing whitespace (CR, LF)
|
||||
static void trim_trailing(char *s) {
|
||||
int n = strlen(s);
|
||||
while (n > 0 && (s[n-1] == '\r' || s[n-1] == '\n' || isspace((unsigned char)s[n-1]))) {
|
||||
|
|
@ -33,11 +32,12 @@ static void trim_trailing(char *s) {
|
|||
}
|
||||
}
|
||||
|
||||
// Dispatch line to listeners, then to ESP Console
|
||||
// --- UPDATED DISPATCH LOGIC ---
|
||||
static void dispatch_line(char *line, cmd_reply_func_t reply_func, void *reply_ctx) {
|
||||
bool handled = false;
|
||||
|
||||
// 1. Offer to registered listeners (e.g. wifi_cfg)
|
||||
// Note: The listener (wifi_cfg) is now responsible for sending "OK" if it handles the line.
|
||||
for (int i = 0; i < s_listener_count; i++) {
|
||||
if (s_listeners[i] && s_listeners[i](line, reply_func, reply_ctx)) {
|
||||
handled = true;
|
||||
|
|
@ -45,14 +45,26 @@ static void dispatch_line(char *line, cmd_reply_func_t reply_func, void *reply_c
|
|||
}
|
||||
}
|
||||
|
||||
// 2. If not handled, pass to system console (for commands like 'mode_monitor')
|
||||
// 2. If not handled, pass to system console
|
||||
if (!handled && strlen(line) > 0) {
|
||||
int ret;
|
||||
esp_err_t err = esp_console_run(line, &ret);
|
||||
|
||||
if (err == ESP_ERR_NOT_FOUND) {
|
||||
// Unrecognized command - silent ignore or reply error
|
||||
} else if (err != ESP_OK) {
|
||||
ESP_LOGE(TAG, "Console run error: %s", esp_err_to_name(err));
|
||||
// Robustness: Always reply, even for unknown commands
|
||||
if (reply_func) reply_func("ERROR: Unknown Command\n", reply_ctx);
|
||||
} else if (err == ESP_OK) {
|
||||
if (ret == 0) {
|
||||
// Command Success -> Send ACK so Python knows to proceed
|
||||
if (reply_func) reply_func("OK\n", reply_ctx);
|
||||
} else {
|
||||
// Command logic failed (e.g., iperf returned 1)
|
||||
char buf[64];
|
||||
snprintf(buf, sizeof(buf), "ERROR: Command failed (ret=%d)\n", ret);
|
||||
if (reply_func) reply_func(buf, reply_ctx);
|
||||
}
|
||||
} else {
|
||||
if (reply_func) reply_func("ERROR: System execution failed\n", reply_ctx);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -66,7 +78,6 @@ static void uart_reply(const char *msg, void *ctx) {
|
|||
|
||||
static void uart_listener_task(void *arg) {
|
||||
char line[256];
|
||||
// Disable buffering
|
||||
setvbuf(stdin, NULL, _IONBF, 0);
|
||||
setvbuf(stdout, NULL, _IONBF, 0);
|
||||
|
||||
|
|
@ -120,11 +131,7 @@ static void usb_listener_task(void *arg) {
|
|||
void cmd_transport_init(void) {
|
||||
if (s_inited) return;
|
||||
s_inited = true;
|
||||
|
||||
// Start UART Listener
|
||||
xTaskCreatePinnedToCore(uart_listener_task, "cmd_uart", 4096, NULL, 5, NULL, tskNO_AFFINITY);
|
||||
|
||||
// Start USB Listener (if supported)
|
||||
#if SOC_USB_SERIAL_JTAG_SUPPORTED
|
||||
xTaskCreatePinnedToCore(usb_listener_task, "cmd_usb", 4096, NULL, 5, NULL, tskNO_AFFINITY);
|
||||
#endif
|
||||
|
|
|
|||
|
|
@ -256,7 +256,7 @@ uint32_t iperf_get_pps(void) {
|
|||
return 1000000 / s_iperf_ctrl.cfg.pacing_period_us;
|
||||
}
|
||||
|
||||
// --- UPDATED UDP Client ---
|
||||
|
||||
static esp_err_t iperf_start_udp_client(iperf_ctrl_t *ctrl) {
|
||||
if (!iperf_wait_for_ip()) {
|
||||
printf("IPERF_STOPPED\n");
|
||||
|
|
@ -282,15 +282,10 @@ static esp_err_t iperf_start_udp_client(iperf_ctrl_t *ctrl) {
|
|||
|
||||
status_led_set_state(LED_STATE_TRANSMITTING_SLOW);
|
||||
|
||||
// --- Prepare Headers ---
|
||||
udp_datagram *udp_hdr = (udp_datagram *)ctrl->buffer;
|
||||
client_hdr_v1 *client_hdr = (client_hdr_v1 *)(ctrl->buffer + sizeof(udp_datagram));
|
||||
|
||||
// Fill Client Header once with just the FLAG set.
|
||||
// This is idempotent, so sending it every time is fine and allows server to detect settings.
|
||||
iperf_generate_client_hdr(&ctrl->cfg, client_hdr);
|
||||
|
||||
// --- Session Start ---
|
||||
s_stats.running = true;
|
||||
s_session_start_time = esp_timer_get_time();
|
||||
s_session_end_time = 0;
|
||||
|
|
@ -308,8 +303,6 @@ static esp_err_t iperf_start_udp_client(iperf_ctrl_t *ctrl) {
|
|||
|
||||
int64_t last_rate_check = esp_timer_get_time();
|
||||
uint32_t packets_since_check = 0;
|
||||
|
||||
// --- Use 64-bit integer for Packet ID ---
|
||||
int64_t packet_id = 0;
|
||||
struct timespec ts;
|
||||
|
||||
|
|
@ -321,11 +314,8 @@ static esp_err_t iperf_start_udp_client(iperf_ctrl_t *ctrl) {
|
|||
else while (esp_timer_get_time() < next_send_time) taskYIELD();
|
||||
|
||||
for (int k = 0; k < ctrl->cfg.burst_count; k++) {
|
||||
// Update UDP Header (Seq/Time)
|
||||
int64_t current_id = packet_id++;
|
||||
|
||||
// --- SPLIT 64-BIT ID ---
|
||||
// Server logic: packetID = ntohl(id) | (ntohl(id2) << 32)
|
||||
udp_hdr->id = htonl((uint32_t)(current_id & 0xFFFFFFFF));
|
||||
udp_hdr->id2 = htonl((uint32_t)((current_id >> 32) & 0xFFFFFFFF));
|
||||
|
||||
|
|
@ -339,10 +329,14 @@ static esp_err_t iperf_start_udp_client(iperf_ctrl_t *ctrl) {
|
|||
packets_since_check++;
|
||||
s_session_packets++;
|
||||
} else {
|
||||
// --- ROBUST FIX: Never Abort ---
|
||||
// If send fails (buffer full, routing issue, etc.), we just yield and retry next loop.
|
||||
// We do NOT goto exit.
|
||||
if (errno != 12) {
|
||||
ESP_LOGE(TAG, "Send failed: %d", errno);
|
||||
status_led_set_state(LED_STATE_FAILED);
|
||||
goto exit;
|
||||
// Log rarely to avoid spamming serial
|
||||
if ((packet_id % 100) == 0) {
|
||||
ESP_LOGW(TAG, "Send error: %d (Ignored)", errno);
|
||||
}
|
||||
}
|
||||
vTaskDelay(pdMS_TO_TICKS(10));
|
||||
}
|
||||
|
|
@ -384,13 +378,7 @@ static esp_err_t iperf_start_udp_client(iperf_ctrl_t *ctrl) {
|
|||
next_send_time += ctrl->cfg.pacing_period_us;
|
||||
}
|
||||
|
||||
exit:
|
||||
// Termination Packets
|
||||
{
|
||||
udp_datagram *hdr = (udp_datagram *)ctrl->buffer;
|
||||
|
||||
// --- NEGATED 64-BIT TERMINATION ID ---
|
||||
// Server logic: if (packetID < 0) terminate = true;
|
||||
int64_t final_id = -packet_id;
|
||||
hdr->id = htonl((uint32_t)(final_id & 0xFFFFFFFF));
|
||||
hdr->id2 = htonl((uint32_t)((final_id >> 32) & 0xFFFFFFFF));
|
||||
|
|
@ -403,13 +391,12 @@ exit:
|
|||
vTaskDelay(pdMS_TO_TICKS(2));
|
||||
}
|
||||
ESP_LOGI(TAG, "Sent termination packets (ID: %" PRId64 ")", final_id);
|
||||
}
|
||||
|
||||
close(sockfd);
|
||||
s_stats.running = false;
|
||||
s_session_end_time = esp_timer_get_time();
|
||||
s_stats.actual_pps = 0;
|
||||
status_led_set_state(LED_STATE_CONNECTED);
|
||||
status_led_set_state(LED_STATE_CONNECTED); // <--- This is your "Solid Green"
|
||||
printf("IPERF_STOPPED\n");
|
||||
return ESP_OK;
|
||||
}
|
||||
|
|
|
|||
|
|
@ -306,6 +306,9 @@ static bool wifi_cfg_cmd_handler(const char *line, cmd_reply_func_t reply_func,
|
|||
strcpy(s.iperf_dest, "192.168.1.50");
|
||||
strcpy(s.iperf_role, "CLIENT");
|
||||
strcpy(s.iperf_proto, "UDP");
|
||||
|
||||
// --- NEW: ACK Start of CFG ---
|
||||
if (reply_func) reply_func("OK\n", reply_ctx);
|
||||
return true;
|
||||
}
|
||||
return false;
|
||||
|
|
@ -329,7 +332,8 @@ static bool wifi_cfg_cmd_handler(const char *line, cmd_reply_func_t reply_func,
|
|||
csi_mgr_save_enable_state(s.csi_enable);
|
||||
#endif
|
||||
|
||||
if (reply_func) reply_func("Config saved. Reconnecting...\n", reply_ctx);
|
||||
// --- NEW: ACK End of CFG ---
|
||||
if (reply_func) reply_func("OK Config Saved\n", reply_ctx);
|
||||
|
||||
// Apply changes immediately
|
||||
wifi_cfg_apply_from_nvs();
|
||||
|
|
@ -339,6 +343,10 @@ static bool wifi_cfg_cmd_handler(const char *line, cmd_reply_func_t reply_func,
|
|||
}
|
||||
|
||||
on_cfg_line(line, &s);
|
||||
|
||||
// --- NEW: ACK Intermediate Line ---
|
||||
if (reply_func) reply_func("OK\n", reply_ctx);
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
|
|
|
|||
355
esp32_deploy.py
355
esp32_deploy.py
|
|
@ -10,6 +10,7 @@ import time
|
|||
import shutil
|
||||
import logging
|
||||
import glob
|
||||
import random
|
||||
from pathlib import Path
|
||||
|
||||
# Ensure detection script is available
|
||||
|
|
@ -68,35 +69,68 @@ def auto_detect_devices():
|
|||
return detect_esp32.detect_esp32_devices()
|
||||
|
||||
class UnifiedDeployWorker:
|
||||
def __init__(self, port, target_ip, args, project_dir, flash_sem):
|
||||
def __init__(self, port, target_ip, args, project_dir, flash_sem, total_devs):
|
||||
self.port = port
|
||||
self.target_ip = target_ip
|
||||
self.args = args
|
||||
self.project_dir = Path(project_dir)
|
||||
self.flash_sem = flash_sem
|
||||
self.total_devs = total_devs
|
||||
self.log = DeviceLoggerAdapter(logger, {'connid': port})
|
||||
|
||||
self.regex_chip_type = re.compile(r'Detecting chip type... (ESP32\S*)')
|
||||
self.regex_ready = re.compile(r'Entering idle loop|esp32>', re.IGNORECASE)
|
||||
self.regex_got_ip = re.compile(r'got ip:(\d+\.\d+\.\d+\.\d+)', re.IGNORECASE)
|
||||
self.regex_csi_saved = re.compile(r'CSI enable state saved|Config saved', re.IGNORECASE)
|
||||
self.regex_status_ip = re.compile(r'Src=(\d+\.\d+\.\d+\.\d+)', re.IGNORECASE)
|
||||
self.regex_version = re.compile(r'APP_VERSION:\s*([0-9\.]+)', re.IGNORECASE)
|
||||
|
||||
async def run(self):
|
||||
try:
|
||||
if self.args.check_version:
|
||||
ver = await self._query_version()
|
||||
return ver
|
||||
return await self._query_version()
|
||||
|
||||
if not self.args.config_only:
|
||||
# --- CHANGE: Acquire Semaphore EARLY to protect Chip ID Detection ---
|
||||
# This prevents 30 concurrent 'esptool chip_id' calls from crashing the USB bus.
|
||||
async with self.flash_sem:
|
||||
|
||||
# 1. Logic to Determine Target (Auto-Detect)
|
||||
# We do this here so it is protected by the semaphore.
|
||||
detected_target = None
|
||||
if self.args.target == 'auto' and not self.args.config_only:
|
||||
detected_target = await self._identify_chip()
|
||||
if not detected_target:
|
||||
self.log.error("Failed to auto-detect chip type.")
|
||||
return False
|
||||
self.log.info(f"Auto-detected: {Colors.CYAN}{detected_target}{Colors.RESET}")
|
||||
# We temporarily override self.args.target just for this worker instance
|
||||
# (Note: In a real object we might want a separate attribute, but this works for the flow)
|
||||
target_to_use = detected_target
|
||||
else:
|
||||
target_to_use = self.args.target
|
||||
|
||||
# 2. Flash Firmware (if needed)
|
||||
if not self.args.config_only:
|
||||
if self.args.flash_erase:
|
||||
if not await self._erase_flash(): return False
|
||||
|
||||
# Pass the determined target explicitly to flash_firmware helper
|
||||
# (We need to slightly modify _flash_firmware to accept this arg, or set it on self)
|
||||
self.target_for_flash = target_to_use
|
||||
if not await self._flash_firmware(): return False
|
||||
|
||||
# --- Semaphore Released Here (Config can run in parallel) ---
|
||||
|
||||
await asyncio.sleep(2.0)
|
||||
|
||||
if not self.args.flash_only:
|
||||
if self.args.ssid and self.args.password:
|
||||
|
||||
# Thundering Herd Mitigation (WiFi Association)
|
||||
if self.total_devs > 1:
|
||||
delay = random.uniform(0, self.total_devs * 0.5)
|
||||
self.log.info(f"Staggering config start by {delay:.1f}s...")
|
||||
await asyncio.sleep(delay)
|
||||
|
||||
success = False
|
||||
for attempt in range(1, 4):
|
||||
self.log.info(f"Configuring (Attempt {attempt}/3)...")
|
||||
|
|
@ -111,13 +145,197 @@ class UnifiedDeployWorker:
|
|||
return False
|
||||
else:
|
||||
self.log.warning("No SSID/Password provided, skipping config")
|
||||
if self.args.config_only: return False
|
||||
return True
|
||||
|
||||
except Exception as e:
|
||||
self.log.error(f"Worker Exception: {e}")
|
||||
return False
|
||||
|
||||
async def _configure_device(self):
|
||||
try:
|
||||
reader, writer = await serial_asyncio.open_serial_connection(url=self.port, baudrate=115200)
|
||||
except Exception as e:
|
||||
return False
|
||||
try:
|
||||
# Reset DTR/RTS
|
||||
writer.transport.serial.dtr = False
|
||||
writer.transport.serial.rts = True
|
||||
await asyncio.sleep(0.1)
|
||||
writer.transport.serial.rts = False
|
||||
writer.transport.serial.dtr = False
|
||||
|
||||
# 1. Clear Boot Logs (Best Effort)
|
||||
await self._wait_for_boot(reader, writer)
|
||||
|
||||
# 2. Send Config (Robust Loop)
|
||||
if not await self._send_config_await_ack(reader, writer):
|
||||
self.log.error("Configuration failed: Device did not ACK commands.")
|
||||
return False
|
||||
|
||||
self.log.info(f"{Colors.GREEN}Config accepted. Waiting for WiFi Association...{Colors.RESET}")
|
||||
|
||||
# 3. Wait for Association (Polling)
|
||||
ip_found = await self._wait_for_association(reader, writer)
|
||||
|
||||
if ip_found:
|
||||
self.log.info(f"{Colors.GREEN}Connected: {self.target_ip}{Colors.RESET}")
|
||||
return True
|
||||
else:
|
||||
self.log.warning(f"{Colors.YELLOW}Config saved, but WiFi association timed out.{Colors.RESET}")
|
||||
return False
|
||||
|
||||
except Exception as e:
|
||||
self.log.error(f"Config Error: {e}")
|
||||
return False
|
||||
finally:
|
||||
writer.close()
|
||||
await writer.wait_closed()
|
||||
|
||||
async def _wait_for_boot(self, reader, writer):
|
||||
end_time = time.time() + 12
|
||||
last_poke = time.time()
|
||||
while time.time() < end_time:
|
||||
try:
|
||||
if time.time() - last_poke > 1.5:
|
||||
writer.write(b'\n')
|
||||
await writer.drain()
|
||||
last_poke = time.time()
|
||||
try:
|
||||
line_bytes = await asyncio.wait_for(reader.readline(), timeout=0.1)
|
||||
line = line_bytes.decode('utf-8', errors='ignore').strip()
|
||||
if not line: continue
|
||||
if self.regex_ready.search(line): return True
|
||||
except asyncio.TimeoutError: continue
|
||||
except Exception as e:
|
||||
return False
|
||||
return False
|
||||
|
||||
async def _send_config_await_ack(self, reader, writer):
|
||||
try:
|
||||
while not reader.at_eof():
|
||||
await asyncio.wait_for(reader.read(1000), timeout=0.01)
|
||||
except (asyncio.TimeoutError, asyncio.LimitOverrunError):
|
||||
pass
|
||||
|
||||
csi_val = '1' if self.args.csi_enable else '0'
|
||||
role_str = "SERVER" if self.args.iperf_server else "CLIENT"
|
||||
iperf_enable_val = '0' if self.args.no_iperf else '1'
|
||||
period_us = int(self.args.iperf_period * 1000000)
|
||||
|
||||
commands = [
|
||||
(f"SSID:{self.args.ssid}", 2.0),
|
||||
(f"PASS:{self.args.password}", 2.0),
|
||||
(f"IP:{self.target_ip}", 2.0),
|
||||
(f"MASK:{self.args.netmask}", 2.0),
|
||||
(f"GW:{self.args.gateway}", 2.0),
|
||||
(f"DHCP:0", 2.0),
|
||||
(f"BAND:{self.args.band}", 2.0),
|
||||
(f"BW:{self.args.bandwidth}", 2.0),
|
||||
(f"POWERSAVE:{self.args.powersave}", 2.0),
|
||||
(f"MODE:{self.args.mode}", 2.0),
|
||||
(f"MON_CH:{self.args.monitor_channel}", 2.0),
|
||||
(f"CSI:{csi_val}", 2.0),
|
||||
(f"IPERF_PERIOD_US:{period_us}", 2.0),
|
||||
(f"IPERF_ROLE:{role_str}", 2.0),
|
||||
(f"IPERF_PROTO:{self.args.iperf_proto}", 2.0),
|
||||
(f"IPERF_DST_IP:{self.args.iperf_dest_ip}", 2.0),
|
||||
(f"IPERF_PORT:{self.args.iperf_port}", 2.0),
|
||||
(f"IPERF_BURST:{self.args.iperf_burst}", 2.0),
|
||||
(f"IPERF_LEN:{self.args.iperf_len}", 2.0),
|
||||
(f"IPERF_ENABLED:{iperf_enable_val}", 2.0),
|
||||
("END", 5.0)
|
||||
]
|
||||
|
||||
entered_cfg = False
|
||||
for attempt in range(5):
|
||||
writer.write(b"CFG\n")
|
||||
await writer.drain()
|
||||
try:
|
||||
await self._wait_for_ack_token(reader, "OK", timeout=1.0)
|
||||
entered_cfg = True
|
||||
break
|
||||
except asyncio.TimeoutError:
|
||||
pass
|
||||
await asyncio.sleep(0.5)
|
||||
|
||||
if not entered_cfg:
|
||||
self.log.error("Failed to enter CFG mode (No ACK on CFG command)")
|
||||
return False
|
||||
|
||||
for cmd_str, timeout in commands:
|
||||
cmd = cmd_str + "\n"
|
||||
writer.write(cmd.encode('utf-8'))
|
||||
await writer.drain()
|
||||
try:
|
||||
await self._wait_for_ack_token(reader, token="OK", timeout=timeout)
|
||||
except asyncio.TimeoutError:
|
||||
self.log.error(f"Timeout: Device did not ACK command '{cmd_str}'")
|
||||
return False
|
||||
except Exception as e:
|
||||
self.log.error(f"Error while configuring: {e}")
|
||||
return False
|
||||
return True
|
||||
|
||||
async def _wait_for_ack_token(self, reader, token, timeout):
|
||||
end_time = time.time() + timeout
|
||||
while time.time() < end_time:
|
||||
try:
|
||||
line_bytes = await asyncio.wait_for(reader.readline(), timeout=timeout)
|
||||
line = line_bytes.decode('utf-8', errors='ignore').strip()
|
||||
if token in line: return True
|
||||
if "ERROR" in line: raise Exception(f"Device reported ERROR: {line}")
|
||||
except asyncio.TimeoutError:
|
||||
raise
|
||||
raise asyncio.TimeoutError
|
||||
|
||||
async def _wait_for_association(self, reader, writer):
|
||||
"""
|
||||
Polls 'iperf status' to check if the Static IP is active.
|
||||
Drains buffer aggressively to avoid lag.
|
||||
"""
|
||||
# Timeout covers Association + Handshake time (30s is safe for 30 devices)
|
||||
timeout = time.time() + 30
|
||||
last_poll = 0
|
||||
|
||||
while time.time() < timeout:
|
||||
now = time.time()
|
||||
# Send Poll every 2 seconds
|
||||
if now - last_poll > 2.0:
|
||||
try:
|
||||
writer.write(b"iperf status\n")
|
||||
await writer.drain()
|
||||
last_poll = now
|
||||
except Exception:
|
||||
pass
|
||||
|
||||
# Aggressively read all lines available in buffer
|
||||
try:
|
||||
# Read with a very short timeout to keep loop spinning
|
||||
line_bytes = await asyncio.wait_for(reader.readline(), timeout=0.1)
|
||||
line = line_bytes.decode('utf-8', errors='ignore').strip()
|
||||
|
||||
if line:
|
||||
# Check for spontaneous event or poll response
|
||||
m1 = self.regex_got_ip.search(line)
|
||||
m2 = self.regex_status_ip.search(line)
|
||||
|
||||
found_ip = None
|
||||
if m1: found_ip = m1.group(1)
|
||||
if m2: found_ip = m2.group(1)
|
||||
|
||||
if found_ip == self.target_ip:
|
||||
return True
|
||||
|
||||
except asyncio.TimeoutError:
|
||||
continue
|
||||
except Exception as e:
|
||||
self.log.error(f"Assoc Wait Error: {e}")
|
||||
return False
|
||||
|
||||
return False
|
||||
|
||||
# [Keep _query_version, _identify_chip, _erase_flash, _flash_firmware as they were]
|
||||
# (Rest of methods omitted for brevity as they are unchanged)
|
||||
async def _query_version(self):
|
||||
try:
|
||||
reader, writer = await serial_asyncio.open_serial_connection(url=self.port, baudrate=115200)
|
||||
|
|
@ -152,13 +370,18 @@ class UnifiedDeployWorker:
|
|||
return "Error"
|
||||
|
||||
async def _identify_chip(self):
|
||||
for attempt in range(1, 4):
|
||||
cmd = ['esptool.py', '-p', self.port, 'chip_id']
|
||||
try:
|
||||
proc = await asyncio.create_subprocess_exec(*cmd, stdout=asyncio.subprocess.PIPE, stderr=asyncio.subprocess.PIPE)
|
||||
stdout, stderr = await proc.communicate()
|
||||
output = stdout.decode() + stderr.decode()
|
||||
match = self.regex_chip_type.search(output)
|
||||
if match:
|
||||
return match.group(1).lower().replace('-', '')
|
||||
if attempt < 3: await asyncio.sleep(1.0)
|
||||
except Exception as e:
|
||||
self.log.warning(f"Chip ID check exception (Attempt {attempt}): {e}")
|
||||
return None
|
||||
|
||||
async def _erase_flash(self):
|
||||
|
|
@ -170,20 +393,19 @@ class UnifiedDeployWorker:
|
|||
return False
|
||||
|
||||
async def _flash_firmware(self):
|
||||
detected_target = None
|
||||
if self.args.target == 'auto':
|
||||
detected_target = await self._identify_chip()
|
||||
if not detected_target:
|
||||
self.log.error("Failed to auto-detect chip type.")
|
||||
# Use the target determined securely in run(), or fallback to args if manual
|
||||
target_to_use = getattr(self, 'target_for_flash', self.args.target)
|
||||
|
||||
# Safety check: run() should have resolved 'auto' before calling this
|
||||
if target_to_use == 'auto':
|
||||
self.log.error("Logic Error: Target is still 'auto' inside flash firmware.")
|
||||
return False
|
||||
self.log.info(f"Auto-detected: {Colors.CYAN}{detected_target}{Colors.RESET}")
|
||||
target_to_use = detected_target
|
||||
else:
|
||||
target_to_use = self.args.target
|
||||
|
||||
suffix = generate_config_suffix(target_to_use, self.args.csi_enable, self.args.ampdu)
|
||||
firmware_dir = self.project_dir / "firmware"
|
||||
unique_app = None
|
||||
|
||||
# 1. Find the specific app binary for this config
|
||||
if firmware_dir.exists():
|
||||
for f in os.listdir(firmware_dir):
|
||||
if f.endswith(f"_{suffix}.bin") and not f.startswith("bootloader") and not f.startswith("partition") and not f.startswith("ota_data") and not f.startswith("phy_init"):
|
||||
|
|
@ -193,6 +415,7 @@ class UnifiedDeployWorker:
|
|||
self.log.error(f"Binary for config '{suffix}' not found in firmware/.")
|
||||
return False
|
||||
|
||||
# 2. Define paths for bootloader, partition table, etc.
|
||||
unique_boot = f"bootloader_{suffix}.bin"
|
||||
unique_part = f"partition-table_{suffix}.bin"
|
||||
unique_ota = f"ota_data_initial_{suffix}.bin"
|
||||
|
|
@ -203,10 +426,12 @@ class UnifiedDeployWorker:
|
|||
return False
|
||||
|
||||
try:
|
||||
# 3. Parse flash_args to construct the exact esptool command
|
||||
with open(flash_args_path, 'r') as f:
|
||||
content = f.read().replace('\n', ' ').strip()
|
||||
raw_args = [x for x in content.split(' ') if x]
|
||||
final_args = []
|
||||
|
||||
for arg in raw_args:
|
||||
if arg.endswith('bootloader.bin'): final_args.append(str(firmware_dir / unique_boot))
|
||||
elif arg.endswith('partition-table.bin'): final_args.append(str(firmware_dir / unique_part))
|
||||
|
|
@ -222,6 +447,8 @@ class UnifiedDeployWorker:
|
|||
'write_flash'] + final_args
|
||||
|
||||
self.log.info(f"Flashing {firmware_dir / unique_app}...")
|
||||
|
||||
# 4. Execute Flashing
|
||||
proc = await asyncio.create_subprocess_exec(*cmd, cwd=self.project_dir, stdout=asyncio.subprocess.PIPE, stderr=asyncio.subprocess.PIPE)
|
||||
try:
|
||||
stdout, stderr = await asyncio.wait_for(proc.communicate(), timeout=300)
|
||||
|
|
@ -236,102 +463,6 @@ class UnifiedDeployWorker:
|
|||
self.log.error(f"Flash Prep Error: {e}")
|
||||
return False
|
||||
|
||||
async def _configure_device(self):
|
||||
try:
|
||||
reader, writer = await serial_asyncio.open_serial_connection(url=self.port, baudrate=115200)
|
||||
except Exception as e:
|
||||
return False
|
||||
try:
|
||||
writer.transport.serial.dtr = False
|
||||
writer.transport.serial.rts = True
|
||||
await asyncio.sleep(0.1)
|
||||
writer.transport.serial.rts = False
|
||||
writer.transport.serial.dtr = False
|
||||
|
||||
if not await self._wait_for_boot(reader, writer):
|
||||
self.log.warning("Boot prompt missed (sending blindly)...")
|
||||
|
||||
await self._send_config(writer)
|
||||
is_configured = await self._verify_configuration(reader)
|
||||
|
||||
if is_configured:
|
||||
self.log.info(f"{Colors.GREEN}Config verified. IP: {self.target_ip}{Colors.RESET}")
|
||||
writer.transport.serial.dtr = False
|
||||
writer.transport.serial.rts = True
|
||||
await asyncio.sleep(0.1)
|
||||
writer.transport.serial.rts = False
|
||||
return True
|
||||
else:
|
||||
self.log.error(f"{Colors.RED}Config verification failed.{Colors.RESET}")
|
||||
return False
|
||||
except Exception as e:
|
||||
self.log.error(f"Config Error: {e}")
|
||||
return False
|
||||
finally:
|
||||
writer.close()
|
||||
await writer.wait_closed()
|
||||
|
||||
async def _wait_for_boot(self, reader, writer):
|
||||
end_time = time.time() + 12
|
||||
last_poke = time.time()
|
||||
while time.time() < end_time:
|
||||
try:
|
||||
if time.time() - last_poke > 1.5:
|
||||
writer.write(b'\n')
|
||||
await writer.drain()
|
||||
last_poke = time.time()
|
||||
try:
|
||||
line_bytes = await asyncio.wait_for(reader.readline(), timeout=0.1)
|
||||
line = line_bytes.decode('utf-8', errors='ignore').strip()
|
||||
if not line: continue
|
||||
if self.regex_ready.search(line): return True
|
||||
except asyncio.TimeoutError: continue
|
||||
except Exception as e:
|
||||
self.log.error(f"Read error: {e}")
|
||||
return False
|
||||
return False
|
||||
|
||||
async def _send_config(self, writer):
|
||||
await asyncio.sleep(0.5)
|
||||
writer.write(b'\n')
|
||||
await writer.drain()
|
||||
await asyncio.sleep(0.2)
|
||||
csi_val = '1' if self.args.csi_enable else '0'
|
||||
role_str = "SERVER" if self.args.iperf_server else "CLIENT"
|
||||
iperf_enable_val = '0' if self.args.no_iperf else '1'
|
||||
period_us = int(self.args.iperf_period * 1000000)
|
||||
config_lines = [
|
||||
"CFG",
|
||||
f"SSID:{self.args.ssid}", f"PASS:{self.args.password}",
|
||||
f"IP:{self.target_ip}", f"MASK:{self.args.netmask}", f"GW:{self.args.gateway}",
|
||||
f"DHCP:0", f"BAND:{self.args.band}", f"BW:{self.args.bandwidth}",
|
||||
f"POWERSAVE:{self.args.powersave}", f"MODE:{self.args.mode}",
|
||||
f"MON_CH:{self.args.monitor_channel}", f"CSI:{csi_val}",
|
||||
f"IPERF_PERIOD_US:{period_us}", f"IPERF_ROLE:{role_str}",
|
||||
f"IPERF_PROTO:{self.args.iperf_proto}", f"IPERF_DST_IP:{self.args.iperf_dest_ip}",
|
||||
f"IPERF_PORT:{self.args.iperf_port}", f"IPERF_BURST:{self.args.iperf_burst}",
|
||||
f"IPERF_LEN:{self.args.iperf_len}", f"IPERF_ENABLED:{iperf_enable_val}",
|
||||
"END"
|
||||
]
|
||||
for line in config_lines:
|
||||
cmd = line + "\r\n"
|
||||
writer.write(cmd.encode('utf-8'))
|
||||
await writer.drain()
|
||||
await asyncio.sleep(0.1)
|
||||
|
||||
async def _verify_configuration(self, reader):
|
||||
timeout = time.time() + 15
|
||||
while time.time() < timeout:
|
||||
try:
|
||||
line_bytes = await asyncio.wait_for(reader.readline(), timeout=1.0)
|
||||
line = line_bytes.decode('utf-8', errors='ignore').strip()
|
||||
if not line: continue
|
||||
if self.regex_csi_saved.search(line): return True
|
||||
m = self.regex_got_ip.search(line)
|
||||
if m and m.group(1) == self.target_ip: return True
|
||||
except asyncio.TimeoutError: continue
|
||||
return False
|
||||
|
||||
def parse_args():
|
||||
parser = argparse.ArgumentParser(description='ESP32 Unified Deployment Tool')
|
||||
parser.add_argument('-i', '--interactive', action='store_true', help='Prompt for build options')
|
||||
|
|
@ -529,7 +660,7 @@ async def run_deployment(args):
|
|||
if not args.check_version:
|
||||
print(f" [{dev.device}] Sequential IP: {target_ip} (Offset: +{offset})")
|
||||
|
||||
tasks.append(UnifiedDeployWorker(dev.device, target_ip, args, project_dir, flash_sem).run())
|
||||
tasks.append(UnifiedDeployWorker(dev.device, target_ip, args, project_dir, flash_sem, len(devs)).run())
|
||||
|
||||
results = await asyncio.gather(*tasks)
|
||||
if args.check_version:
|
||||
|
|
|
|||
Loading…
Reference in New Issue