17 Commits

Author SHA1 Message Date
Yurii
45762967ee refactor: fix wifi scan on esp32, connection timeouts changed 2024-10-26 20:18:23 +03:00
Yurii
10f9cde17a chore: bump pioarduino/platform-espressif32 from 3.0.6 to 3.1.0 rc2 2024-10-26 20:16:54 +03:00
Yurii
351a884685 refactor: increased max request size for /api/settings 2024-10-24 05:13:29 +03:00
Yurii
98db62cc9e fix: fix typo 2024-10-24 05:00:52 +03:00
Yurii
355d983437 chore: copy elf to build dir 2024-10-24 04:26:46 +03:00
Yurii
3d11d13631 feat: added crash recorder and ability to save dump 2024-10-24 04:01:14 +03:00
Yurii
6c4f8a78a0 refactor: added defaults for serial & telnet 2024-10-24 04:00:06 +03:00
Yurii
3fb5eb32c3 refactor: increased max request size for /api/vars and /api/backup/restore 2024-10-24 03:54:26 +03:00
Yurii
c1447098da chore: bump framework-arduinoespressif32 from 3.0.5 to 3.0.6 2024-10-24 03:52:01 +03:00
Yurii
87b222e7bc refactor: increased the max value of dt for pid to 1800 sec 2024-10-21 21:34:53 +03:00
Yurii
0eea1b8121 fix: change of log level when wifi is not connected 2024-10-18 06:45:16 +03:00
Yurii
7f701a74e7 feat: fault state gpio setting replaced with cascade control 2024-10-18 06:14:09 +03:00
Yurii
57cf98ca19 refactor: cosmetic changes; move maxModulation setting to opentherm section 2024-10-15 05:09:20 +03:00
Yurii
c32c643442 refactor: more logs 2024-10-15 04:21:20 +03:00
Yurii
5553a13cc0 feat: added log level setting 2024-10-15 04:07:00 +03:00
Yurii
a9e97c15ad refactor: more logs; improved sensor of current boiler power: added settings min & max boiler power 2024-10-15 02:10:46 +03:00
Yurii
dc62f99b7d feat: added polling of min modulation and max boiler power; added sensor for current boiler power 2024-10-14 19:54:26 +03:00
22 changed files with 1327 additions and 379 deletions

View File

@@ -10,7 +10,7 @@ public:
free(this->buffer); free(this->buffer);
} }
void send(int code, const char* contentType, JsonDocument& content) { void send(int code, const char* contentType, JsonDocument& content, bool pretty = false) {
#ifdef ARDUINO_ARCH_ESP8266 #ifdef ARDUINO_ARCH_ESP8266
if (!this->webServer->chunkedResponseModeStart(code, contentType)) { if (!this->webServer->chunkedResponseModeStart(code, contentType)) {
this->webServer->send(505, F("text/html"), F("HTTP1.1 required")); this->webServer->send(505, F("text/html"), F("HTTP1.1 required"));
@@ -24,7 +24,13 @@ public:
this->webServer->send(code, contentType, emptyString); this->webServer->send(code, contentType, emptyString);
#endif #endif
serializeJson(content, *this); if (pretty) {
serializeJsonPretty(content, *this);
} else {
serializeJson(content, *this);
}
this->flush(); this->flush();
#ifdef ARDUINO_ARCH_ESP8266 #ifdef ARDUINO_ARCH_ESP8266

View File

@@ -247,11 +247,19 @@ namespace NetworkUtils {
this->delayCallback(250); this->delayCallback(250);
#endif #endif
if (!this->useDhcp) { #ifdef ARDUINO_ARCH_ESP32
WiFi.config(this->staticIp, this->staticGateway, this->staticSubnet, this->staticDns); WiFi.setScanMethod(WIFI_ALL_CHANNEL_SCAN);
} WiFi.setSortMethod(WIFI_CONNECT_AP_BY_SIGNAL);
#endif
WiFi.begin(this->staSsid, this->staPassword, this->staChannel); if (!this->useDhcp) {
WiFi.begin(this->staSsid, this->staPassword, this->staChannel, nullptr, false);
WiFi.config(this->staticIp, this->staticGateway, this->staticSubnet, this->staticDns);
WiFi.reconnect();
} else {
WiFi.begin(this->staSsid, this->staPassword, this->staChannel, nullptr, true);
}
unsigned long beginConnectionTime = millis(); unsigned long beginConnectionTime = millis();
while (millis() - beginConnectionTime < timeout) { while (millis() - beginConnectionTime < timeout) {
@@ -267,7 +275,16 @@ namespace NetworkUtils {
} }
void disconnect() { void disconnect() {
#ifdef ARDUINO_ARCH_ESP32
WiFi.disconnectAsync(false, true);
const unsigned long start = millis();
while (WiFi.isConnected() && (millis() - start) < 5000) {
this->delayCallback(100);
}
#else
WiFi.disconnect(false, true); WiFi.disconnect(false, true);
#endif
} }
void loop() { void loop() {
@@ -365,10 +382,10 @@ namespace NetworkUtils {
} }
protected: protected:
const unsigned int reconnectInterval = 5000; const unsigned int reconnectInterval = 15000;
const unsigned int failedConnectTimeout = 120000; const unsigned int failedConnectTimeout = 185000;
const unsigned int connectionTimeout = 15000; const unsigned int connectionTimeout = 5000;
const unsigned int resetConnectionTimeout = 30000; const unsigned int resetConnectionTimeout = 90000;
YieldCallback yieldCallback = []() { YieldCallback yieldCallback = []() {
::yield(); ::yield();

View File

@@ -19,13 +19,15 @@ lib_deps =
bblanchon/ArduinoJson@^7.1.0 bblanchon/ArduinoJson@^7.1.0
;ihormelnyk/OpenTherm Library@^1.1.5 ;ihormelnyk/OpenTherm Library@^1.1.5
https://github.com/ihormelnyk/opentherm_library#master https://github.com/ihormelnyk/opentherm_library#master
arduino-libraries/ArduinoMqttClient@^0.1.8 ;arduino-libraries/ArduinoMqttClient@^0.1.8
https://github.com/Laxilef/ArduinoMqttClient.git#esp32_core_310
lennarthennigs/ESP Telnet@^2.2 lennarthennigs/ESP Telnet@^2.2
gyverlibs/FileData@^1.0.2 gyverlibs/FileData@^1.0.2
gyverlibs/GyverPID@^3.3.2 gyverlibs/GyverPID@^3.3.2
gyverlibs/GyverBlinker@^1.1.1 gyverlibs/GyverBlinker@^1.1.1
https://github.com/pstolarz/Arduino-Temperature-Control-Library.git#OneWireNg https://github.com/pstolarz/Arduino-Temperature-Control-Library.git#OneWireNg
laxilef/TinyLogger@^1.1.1 laxilef/TinyLogger@^1.1.1
build_type = ${secrets.build_type}
build_flags = build_flags =
-D PIO_FRAMEWORK_ARDUINO_LWIP2_LOW_MEMORY -D PIO_FRAMEWORK_ARDUINO_LWIP2_LOW_MEMORY
;-D PIO_FRAMEWORK_ARDUINO_LWIP2_HIGHER_BANDWIDTH_LOW_FLASH ;-D PIO_FRAMEWORK_ARDUINO_LWIP2_HIGHER_BANDWIDTH_LOW_FLASH
@@ -35,9 +37,11 @@ build_flags =
;-D DEBUG_ESP_CORE -D DEBUG_ESP_WIFI -D DEBUG_ESP_HTTP_SERVER -D DEBUG_ESP_PORT=Serial ;-D DEBUG_ESP_CORE -D DEBUG_ESP_WIFI -D DEBUG_ESP_HTTP_SERVER -D DEBUG_ESP_PORT=Serial
-D BUILD_VERSION='"${this.version}"' -D BUILD_VERSION='"${this.version}"'
-D BUILD_ENV='"$PIOENV"' -D BUILD_ENV='"$PIOENV"'
-D USE_SERIAL=${secrets.use_serial} -D DEFAULT_SERIAL_ENABLE=${secrets.serial_enable}
-D USE_TELNET=${secrets.use_telnet} -D DEFAULT_SERIAL_BAUD=${secrets.serial_baud}
-D DEBUG_BY_DEFAULT=${secrets.debug} -D DEFAULT_TELNET_ENABLE=${secrets.telnet_enable}
-D DEFAULT_TELNET_PORT=${secrets.telnet_port}
-D DEFAULT_LOG_LEVEL=${secrets.log_level}
-D DEFAULT_HOSTNAME='"${secrets.hostname}"' -D DEFAULT_HOSTNAME='"${secrets.hostname}"'
-D DEFAULT_AP_SSID='"${secrets.ap_ssid}"' -D DEFAULT_AP_SSID='"${secrets.ap_ssid}"'
-D DEFAULT_AP_PASSWORD='"${secrets.ap_password}"' -D DEFAULT_AP_PASSWORD='"${secrets.ap_password}"'
@@ -65,6 +69,7 @@ lib_deps =
lib_ignore = lib_ignore =
extra_scripts = extra_scripts =
post:tools/build.py post:tools/build.py
build_type = ${env.build_type}
build_flags = ${env.build_flags} build_flags = ${env.build_flags}
board_build.ldscript = eagle.flash.4m1m.ld board_build.ldscript = eagle.flash.4m1m.ld
@@ -74,7 +79,7 @@ board_build.ldscript = eagle.flash.4m1m.ld
;platform_packages = ;platform_packages =
; framework-arduinoespressif32 @ https://github.com/espressif/arduino-esp32.git#3.0.5 ; framework-arduinoespressif32 @ https://github.com/espressif/arduino-esp32.git#3.0.5
; framework-arduinoespressif32-libs @ https://github.com/espressif/esp32-arduino-lib-builder/releases/download/idf-release_v5.1/esp32-arduino-libs-idf-release_v5.1-33fbade6.zip ; framework-arduinoespressif32-libs @ https://github.com/espressif/esp32-arduino-lib-builder/releases/download/idf-release_v5.1/esp32-arduino-libs-idf-release_v5.1-33fbade6.zip
platform = https://github.com/pioarduino/platform-espressif32/releases/download/51.03.05/platform-espressif32.zip platform = https://github.com/pioarduino/platform-espressif32/releases/download/53.03.10-rc2/platform-espressif32.zip
platform_packages = platform_packages =
board_build.partitions = esp32_partitions.csv board_build.partitions = esp32_partitions.csv
lib_deps = lib_deps =
@@ -85,9 +90,11 @@ lib_ignore =
extra_scripts = extra_scripts =
post:tools/esp32.py post:tools/esp32.py
post:tools/build.py post:tools/build.py
build_type = ${env.build_type}
build_flags = build_flags =
${env.build_flags} ${env.build_flags}
-D CORE_DEBUG_LEVEL=0 -D CORE_DEBUG_LEVEL=0
-Wl,--wrap=esp_panic_handler
; Boards ; Boards
@@ -98,6 +105,7 @@ lib_deps = ${esp8266_defaults.lib_deps}
lib_ignore = ${esp8266_defaults.lib_ignore} lib_ignore = ${esp8266_defaults.lib_ignore}
extra_scripts = ${esp8266_defaults.extra_scripts} extra_scripts = ${esp8266_defaults.extra_scripts}
board_build.ldscript = ${esp8266_defaults.board_build.ldscript} board_build.ldscript = ${esp8266_defaults.board_build.ldscript}
build_type = ${esp8266_defaults.build_type}
build_flags = build_flags =
${esp8266_defaults.build_flags} ${esp8266_defaults.build_flags}
-D DEFAULT_OT_IN_GPIO=4 -D DEFAULT_OT_IN_GPIO=4
@@ -114,6 +122,7 @@ lib_deps = ${esp8266_defaults.lib_deps}
lib_ignore = ${esp8266_defaults.lib_ignore} lib_ignore = ${esp8266_defaults.lib_ignore}
extra_scripts = ${esp8266_defaults.extra_scripts} extra_scripts = ${esp8266_defaults.extra_scripts}
board_build.ldscript = ${esp8266_defaults.board_build.ldscript} board_build.ldscript = ${esp8266_defaults.board_build.ldscript}
build_type = ${esp8266_defaults.build_type}
build_flags = build_flags =
${esp8266_defaults.build_flags} ${esp8266_defaults.build_flags}
-D DEFAULT_OT_IN_GPIO=4 -D DEFAULT_OT_IN_GPIO=4
@@ -130,6 +139,7 @@ lib_deps = ${esp8266_defaults.lib_deps}
lib_ignore = ${esp8266_defaults.lib_ignore} lib_ignore = ${esp8266_defaults.lib_ignore}
extra_scripts = ${esp8266_defaults.extra_scripts} extra_scripts = ${esp8266_defaults.extra_scripts}
board_build.ldscript = ${esp8266_defaults.board_build.ldscript} board_build.ldscript = ${esp8266_defaults.board_build.ldscript}
build_type = ${esp8266_defaults.build_type}
build_flags = build_flags =
${esp8266_defaults.build_flags} ${esp8266_defaults.build_flags}
-D DEFAULT_OT_IN_GPIO=4 -D DEFAULT_OT_IN_GPIO=4
@@ -146,6 +156,7 @@ lib_deps = ${esp8266_defaults.lib_deps}
lib_ignore = ${esp8266_defaults.lib_ignore} lib_ignore = ${esp8266_defaults.lib_ignore}
extra_scripts = ${esp8266_defaults.extra_scripts} extra_scripts = ${esp8266_defaults.extra_scripts}
board_build.ldscript = ${esp8266_defaults.board_build.ldscript} board_build.ldscript = ${esp8266_defaults.board_build.ldscript}
build_type = ${esp8266_defaults.build_type}
build_flags = build_flags =
${esp8266_defaults.build_flags} ${esp8266_defaults.build_flags}
-D DEFAULT_OT_IN_GPIO=13 -D DEFAULT_OT_IN_GPIO=13
@@ -165,6 +176,7 @@ lib_ignore = ${esp32_defaults.lib_ignore}
extra_scripts = ${esp32_defaults.extra_scripts} extra_scripts = ${esp32_defaults.extra_scripts}
build_unflags = build_unflags =
-DARDUINO_USB_MODE=1 -DARDUINO_USB_MODE=1
build_type = ${esp32_defaults.build_type}
build_flags = build_flags =
${esp32_defaults.build_flags} ${esp32_defaults.build_flags}
-D ARDUINO_USB_MODE=0 -D ARDUINO_USB_MODE=0
@@ -188,6 +200,7 @@ lib_ignore = ${esp32_defaults.lib_ignore}
extra_scripts = ${esp32_defaults.extra_scripts} extra_scripts = ${esp32_defaults.extra_scripts}
build_unflags = build_unflags =
-DARDUINO_USB_MODE=1 -DARDUINO_USB_MODE=1
build_type = ${esp32_defaults.build_type}
build_flags = build_flags =
${esp32_defaults.build_flags} ${esp32_defaults.build_flags}
-D ARDUINO_USB_MODE=0 -D ARDUINO_USB_MODE=0
@@ -212,6 +225,7 @@ lib_ignore = ${esp32_defaults.lib_ignore}
extra_scripts = ${esp32_defaults.extra_scripts} extra_scripts = ${esp32_defaults.extra_scripts}
build_unflags = build_unflags =
-mtext-section-literals -mtext-section-literals
build_type = ${esp32_defaults.build_type}
build_flags = build_flags =
${esp32_defaults.build_flags} ${esp32_defaults.build_flags}
-D USE_BLE=1 -D USE_BLE=1
@@ -232,6 +246,7 @@ lib_deps =
${esp32_defaults.nimble_lib} ${esp32_defaults.nimble_lib}
lib_ignore = ${esp32_defaults.lib_ignore} lib_ignore = ${esp32_defaults.lib_ignore}
extra_scripts = ${esp32_defaults.extra_scripts} extra_scripts = ${esp32_defaults.extra_scripts}
build_type = ${esp32_defaults.build_type}
build_flags = build_flags =
${esp32_defaults.build_flags} ${esp32_defaults.build_flags}
-D USE_BLE=1 -D USE_BLE=1
@@ -252,6 +267,7 @@ lib_deps =
${esp32_defaults.nimble_lib} ${esp32_defaults.nimble_lib}
lib_ignore = ${esp32_defaults.lib_ignore} lib_ignore = ${esp32_defaults.lib_ignore}
extra_scripts = ${esp32_defaults.extra_scripts} extra_scripts = ${esp32_defaults.extra_scripts}
build_type = ${esp32_defaults.build_type}
build_flags = build_flags =
${esp32_defaults.build_flags} ${esp32_defaults.build_flags}
-D USE_BLE=1 -D USE_BLE=1
@@ -274,6 +290,7 @@ lib_ignore = ${esp32_defaults.lib_ignore}
extra_scripts = ${esp32_defaults.extra_scripts} extra_scripts = ${esp32_defaults.extra_scripts}
build_unflags = build_unflags =
-mtext-section-literals -mtext-section-literals
build_type = ${esp32_defaults.build_type}
build_flags = build_flags =
${esp32_defaults.build_flags} ${esp32_defaults.build_flags}
; Currently the NimBLE library is incompatible with ESP32 C6 ; Currently the NimBLE library is incompatible with ESP32 C6

View File

@@ -1,7 +1,11 @@
[secrets] [secrets]
use_serial = true build_type = release
use_telnet = true
debug = true serial_enable = true
serial_baud = 115200
telnet_enable = true
telnet_port = 23
log_level = 5
hostname = opentherm hostname = opentherm
ap_ssid = OpenTherm Gateway ap_ssid = OpenTherm Gateway

132
src/CrashRecorder.h Normal file
View File

@@ -0,0 +1,132 @@
#pragma once
#include <Arduino.h>
#ifdef ARDUINO_ARCH_ESP32
#include "esp_err.h"
#endif
#ifdef ARDUINO_ARCH_ESP8266
extern "C" {
#include <user_interface.h>
}
// https://github.com/espressif/ESP8266_RTOS_SDK/blob/master/components/esp8266/include/esp_attr.h
#define _COUNTER_STRINGIFY(COUNTER) #COUNTER
#define _SECTION_ATTR_IMPL(SECTION, COUNTER) __attribute__((section(SECTION "." _COUNTER_STRINGIFY(COUNTER))))
#define __NOINIT_ATTR _SECTION_ATTR_IMPL(".noinit", __COUNTER__)
#endif
namespace CrashRecorder {
typedef struct {
unsigned int data[32];
uint8_t length;
bool continues;
} backtrace_t;
typedef struct {
unsigned int data[4];
uint8_t length;
} epc_t;
typedef struct {
uint8_t core;
size_t heap;
unsigned long uptime;
} ext_t;
__NOINIT_ATTR volatile static backtrace_t backtrace;
__NOINIT_ATTR volatile static epc_t epc;
__NOINIT_ATTR volatile static ext_t ext;
uint8_t backtraceMaxLength = sizeof(backtrace.data) / sizeof(*backtrace.data);
uint8_t epcMaxLength = sizeof(epc.data) / sizeof(*epc.data);
#ifdef ARDUINO_ARCH_ESP32
void IRAM_ATTR panicHandler(arduino_panic_info_t *info, void *arg) {;
ext.core = info->core;
ext.heap = ESP.getFreeHeap();
ext.uptime = millis() / 1000u;
// Backtrace
backtrace.length = info->backtrace_len < backtraceMaxLength ? info->backtrace_len : backtraceMaxLength;
backtrace.continues = false;
for (unsigned int i = 0; i < info->backtrace_len; i++) {
if (i >= backtraceMaxLength) {
backtrace.continues = true;
break;
}
backtrace.data[i] = info->backtrace[i];
}
// EPC
if (info->pc) {
epc.data[0] = (unsigned int) info->pc;
epc.length = 1;
} else {
epc.length = 0;
}
}
#endif
void init() {
if (backtrace.length > backtraceMaxLength) {
backtrace.length = 0;
}
if (epc.length > epcMaxLength) {
epc.length = 0;
}
#ifdef ARDUINO_ARCH_ESP32
set_arduino_panic_handler(panicHandler, nullptr);
#endif
}
}
#ifdef ARDUINO_ARCH_ESP8266
extern "C" void custom_crash_callback(struct rst_info *info, uint32_t stack, uint32_t stack_end) {
uint8_t _length = 0;
CrashRecorder::ext.core = 0;
CrashRecorder::ext.heap = ESP.getFreeHeap();
CrashRecorder::ext.uptime = millis() / 1000u;
// Backtrace
CrashRecorder::backtrace.continues = false;
uint32_t value;
for (uint32_t i = stack; i < stack_end; i += 4) {
value = *((uint32_t*) i);
// keep only addresses in code area
if ((value >= 0x40000000) && (value < 0x40300000)) {
if (_length >= CrashRecorder::backtraceMaxLength) {
CrashRecorder::backtrace.continues = true;
break;
}
CrashRecorder::backtrace.data[_length++] = value;
}
}
CrashRecorder::backtrace.length = _length;
// EPC
_length = 0;
if (info->epc1 > 0) {
CrashRecorder::epc.data[_length++] = info->epc1;
}
if (info->epc2 > 0) {
CrashRecorder::epc.data[_length++] = info->epc2;
}
if (info->epc3 > 0) {
CrashRecorder::epc.data[_length++] = info->epc3;
}
CrashRecorder::epc.length = _length;
}
#endif

View File

@@ -266,30 +266,6 @@ public:
return this->publish(this->getTopic(FPSTR(HA_ENTITY_NUMBER), F("heating_max_temp")).c_str(), doc); return this->publish(this->getTopic(FPSTR(HA_ENTITY_NUMBER), F("heating_max_temp")).c_str(), doc);
} }
bool publishNumberHeatingMaxModulation(bool enabledByDefault = true) {
JsonDocument doc;
doc[FPSTR(HA_ENABLED_BY_DEFAULT)] = enabledByDefault;
doc[FPSTR(HA_UNIQUE_ID)] = this->getObjectId(F("heating_max_modulation"));
doc[FPSTR(HA_OBJECT_ID)] = this->getObjectId(F("heating_max_modulation"));
doc[FPSTR(HA_ENTITY_CATEGORY)] = F("config");
doc[FPSTR(HA_DEVICE_CLASS)] = F("power_factor");
doc[FPSTR(HA_UNIT_OF_MEASUREMENT)] = F("%");
doc[FPSTR(HA_NAME)] = F("Max modulation");
doc[FPSTR(HA_ICON)] = F("mdi:speedometer");
doc[FPSTR(HA_STATE_TOPIC)] = this->getDeviceTopic(F("settings"));
doc[FPSTR(HA_VALUE_TEMPLATE)] = F("{{ value_json.heating.maxModulation|int(1) }}");
doc[FPSTR(HA_COMMAND_TOPIC)] = this->getDeviceTopic(F("settings/set"));
doc[FPSTR(HA_COMMAND_TEMPLATE)] = F("{\"heating\": {\"maxModulation\" : {{ value }}}}");
doc[FPSTR(HA_MIN)] = 1;
doc[FPSTR(HA_MAX)] = 100;
doc[FPSTR(HA_STEP)] = 1;
doc[FPSTR(HA_MODE)] = "box";
doc[FPSTR(HA_EXPIRE_AFTER)] = 120;
doc.shrinkToFit();
return this->publish(this->getTopic(FPSTR(HA_ENTITY_NUMBER), F("heating_max_modulation")).c_str(), doc);
}
bool publishSwitchDhw(bool enabledByDefault = true) { bool publishSwitchDhw(bool enabledByDefault = true) {
JsonDocument doc; JsonDocument doc;
@@ -570,7 +546,7 @@ public:
doc[FPSTR(HA_COMMAND_TOPIC)] = this->getDeviceTopic(F("settings/set")); doc[FPSTR(HA_COMMAND_TOPIC)] = this->getDeviceTopic(F("settings/set"));
doc[FPSTR(HA_COMMAND_TEMPLATE)] = F("{\"pid\": {\"dt\" : {{ value }}}}"); doc[FPSTR(HA_COMMAND_TEMPLATE)] = F("{\"pid\": {\"dt\" : {{ value }}}}");
doc[FPSTR(HA_MIN)] = 30; doc[FPSTR(HA_MIN)] = 30;
doc[FPSTR(HA_MAX)] = 600; doc[FPSTR(HA_MAX)] = 1800;
doc[FPSTR(HA_STEP)] = 1; doc[FPSTR(HA_STEP)] = 1;
doc[FPSTR(HA_MODE)] = "box"; doc[FPSTR(HA_MODE)] = "box";
doc[FPSTR(HA_EXPIRE_AFTER)] = 120; doc[FPSTR(HA_EXPIRE_AFTER)] = 120;
@@ -872,6 +848,29 @@ public:
return this->publish(this->getTopic(FPSTR(HA_ENTITY_BINARY_SENSOR), F("diagnostic")).c_str(), doc); return this->publish(this->getTopic(FPSTR(HA_ENTITY_BINARY_SENSOR), F("diagnostic")).c_str(), doc);
} }
bool publishSensorPower(bool enabledByDefault = true) {
JsonDocument doc;
doc[FPSTR(HA_AVAILABILITY)][0][FPSTR(HA_TOPIC)] = this->getDeviceTopic(F("status"));
doc[FPSTR(HA_AVAILABILITY)][1][FPSTR(HA_TOPIC)] = this->getDeviceTopic(F("state"));
doc[FPSTR(HA_AVAILABILITY)][1][FPSTR(HA_VALUE_TEMPLATE)] = F("{{ iif(value_json.states.otStatus, 'online', 'offline') }}");
doc[FPSTR(HA_AVAILABILITY_MODE)] = F("all");
doc[FPSTR(HA_ENABLED_BY_DEFAULT)] = enabledByDefault;
doc[FPSTR(HA_UNIQUE_ID)] = this->getObjectId(F("power"));
doc[FPSTR(HA_OBJECT_ID)] = this->getObjectId(F("power"));
doc[FPSTR(HA_ENTITY_CATEGORY)] = F("diagnostic");
doc[FPSTR(HA_DEVICE_CLASS)] = F("power");
doc[FPSTR(HA_STATE_CLASS)] = F("measurement");
doc[FPSTR(HA_UNIT_OF_MEASUREMENT)] = F("kW");
doc[FPSTR(HA_NAME)] = F("Current power");
doc[FPSTR(HA_ICON)] = F("mdi:chart-bar");
doc[FPSTR(HA_STATE_TOPIC)] = this->getDeviceTopic(F("state"));
doc[FPSTR(HA_VALUE_TEMPLATE)] = F("{{ value_json.sensors.power|float(0)|round(2) }}");
doc[FPSTR(HA_EXPIRE_AFTER)] = 120;
doc.shrinkToFit();
return this->publish(this->getTopic(FPSTR(HA_ENTITY_SENSOR), F("power")).c_str(), doc);
}
bool publishSensorFaultCode(bool enabledByDefault = true) { bool publishSensorFaultCode(bool enabledByDefault = true) {
JsonDocument doc; JsonDocument doc;
doc[FPSTR(HA_AVAILABILITY)][0][FPSTR(HA_TOPIC)] = this->getDeviceTopic(F("status")); doc[FPSTR(HA_AVAILABILITY)][0][FPSTR(HA_TOPIC)] = this->getDeviceTopic(F("status"));

View File

@@ -86,6 +86,12 @@ protected:
vars.states.mqtt = tMqtt->isConnected(); vars.states.mqtt = tMqtt->isConnected();
vars.sensors.rssi = network->isConnected() ? WiFi.RSSI() : 0; vars.sensors.rssi = network->isConnected() ? WiFi.RSSI() : 0;
if (settings.system.logLevel >= TinyLogger::Level::SILENT && settings.system.logLevel <= TinyLogger::Level::VERBOSE) {
if (Log.getLevel() != settings.system.logLevel) {
Log.setLevel(static_cast<TinyLogger::Level>(settings.system.logLevel));
}
}
if (network->isConnected()) { if (network->isConnected()) {
if (!this->telnetStarted && telnetStream != nullptr) { if (!this->telnetStarted && telnetStream != nullptr) {
telnetStream->begin(23, false); telnetStream->begin(23, false);
@@ -99,13 +105,6 @@ protected:
tMqtt->disable(); tMqtt->disable();
} }
if ( Log.getLevel() != TinyLogger::Level::INFO && !settings.system.debug ) {
Log.setLevel(TinyLogger::Level::INFO);
} else if ( Log.getLevel() != TinyLogger::Level::VERBOSE && settings.system.debug ) {
Log.setLevel(TinyLogger::Level::VERBOSE);
}
} else { } else {
if (this->telnetStarted) { if (this->telnetStarted) {
telnetStream->stop(); telnetStream->stop();
@@ -120,6 +119,7 @@ protected:
this->emergency(); this->emergency();
this->ledStatus(); this->ledStatus();
this->cascadeControl();
this->externalPump(); this->externalPump();
this->yield(); this->yield();
@@ -160,7 +160,7 @@ protected:
this->restartSignalTime = millis(); this->restartSignalTime = millis();
} }
if (!settings.system.debug) { if (settings.system.logLevel < TinyLogger::Level::VERBOSE) {
return; return;
} }
@@ -337,6 +337,170 @@ protected:
this->blinker->tick(); this->blinker->tick();
} }
void cascadeControl() {
static uint8_t configuredInputGpio = GPIO_IS_NOT_CONFIGURED;
static uint8_t configuredOutputGpio = GPIO_IS_NOT_CONFIGURED;
static bool inputTempValue = false;
static unsigned long inputChangedTs = 0;
static bool outputTempValue = false;
static unsigned long outputChangedTs = 0;
// input
if (settings.cascadeControl.input.enable) {
if (settings.cascadeControl.input.gpio != configuredInputGpio) {
if (configuredInputGpio != GPIO_IS_NOT_CONFIGURED) {
pinMode(configuredInputGpio, OUTPUT);
digitalWrite(configuredInputGpio, LOW);
Log.sinfoln(FPSTR(L_CASCADE_INPUT), F("Deinitialized on GPIO %hhu"), configuredInputGpio);
}
if (GPIO_IS_VALID(settings.cascadeControl.input.gpio)) {
configuredInputGpio = settings.cascadeControl.input.gpio;
pinMode(configuredInputGpio, INPUT);
Log.sinfoln(FPSTR(L_CASCADE_INPUT), F("Initialized on GPIO %hhu"), configuredInputGpio);
} else if (configuredInputGpio != GPIO_IS_NOT_CONFIGURED) {
configuredInputGpio = GPIO_IS_NOT_CONFIGURED;
Log.swarningln(FPSTR(L_CASCADE_INPUT), F("Failed initialize: GPIO %hhu is not valid!"), configuredInputGpio);
}
}
if (configuredInputGpio != GPIO_IS_NOT_CONFIGURED) {
bool value;
if (digitalRead(configuredInputGpio) == HIGH) {
value = true ^ settings.cascadeControl.input.invertState;
} else {
value = false ^ settings.cascadeControl.input.invertState;
}
if (value != vars.cascadeControl.input) {
if (value != inputTempValue) {
inputTempValue = value;
inputChangedTs = millis();
} else if (millis() - inputChangedTs >= settings.cascadeControl.input.thresholdTime * 1000u) {
vars.cascadeControl.input = value;
Log.sinfoln(
FPSTR(L_CASCADE_INPUT),
F("State changed to %s"),
value ? F("TRUE") : F("FALSE")
);
}
} else if (value != inputTempValue) {
inputTempValue = value;
}
}
}
if (!settings.cascadeControl.input.enable || configuredInputGpio == GPIO_IS_NOT_CONFIGURED) {
if (!vars.cascadeControl.input) {
vars.cascadeControl.input = true;
Log.sinfoln(
FPSTR(L_CASCADE_INPUT),
F("Disabled, state changed to %s"),
vars.cascadeControl.input ? F("TRUE") : F("FALSE")
);
}
}
// output
if (settings.cascadeControl.output.enable) {
if (settings.cascadeControl.output.gpio != configuredOutputGpio) {
if (configuredOutputGpio != GPIO_IS_NOT_CONFIGURED) {
pinMode(configuredOutputGpio, OUTPUT);
digitalWrite(configuredOutputGpio, LOW);
Log.sinfoln(FPSTR(L_CASCADE_OUTPUT), F("Deinitialized on GPIO %hhu"), configuredOutputGpio);
}
if (GPIO_IS_VALID(settings.cascadeControl.output.gpio)) {
configuredOutputGpio = settings.cascadeControl.output.gpio;
pinMode(configuredOutputGpio, OUTPUT);
digitalWrite(
configuredOutputGpio,
settings.cascadeControl.output.invertState
? HIGH
: LOW
);
Log.sinfoln(FPSTR(L_CASCADE_OUTPUT), F("Initialized on GPIO %hhu"), configuredOutputGpio);
} else if (configuredOutputGpio != GPIO_IS_NOT_CONFIGURED) {
configuredOutputGpio = GPIO_IS_NOT_CONFIGURED;
Log.swarningln(FPSTR(L_CASCADE_OUTPUT), F("Failed initialize: GPIO %hhu is not valid!"), configuredOutputGpio);
}
}
if (configuredOutputGpio != GPIO_IS_NOT_CONFIGURED) {
bool value = false;
if (settings.cascadeControl.output.onFault && vars.states.fault) {
value = true;
} else if (settings.cascadeControl.output.onLossConnection && !vars.states.otStatus) {
value = true;
} else if (settings.cascadeControl.output.onEnabledHeating && settings.heating.enable && vars.cascadeControl.input) {
value = true;
}
if (value != vars.cascadeControl.output) {
if (value != outputTempValue) {
outputTempValue = value;
outputChangedTs = millis();
} else if (millis() - outputChangedTs >= settings.cascadeControl.output.thresholdTime * 1000u) {
vars.cascadeControl.output = value;
digitalWrite(
configuredOutputGpio,
vars.cascadeControl.output ^ settings.cascadeControl.output.invertState
? HIGH
: LOW
);
Log.sinfoln(
FPSTR(L_CASCADE_OUTPUT),
F("State changed to %s"),
value ? F("TRUE") : F("FALSE")
);
}
} else if (value != outputTempValue) {
outputTempValue = value;
}
}
}
if (!settings.cascadeControl.output.enable || configuredOutputGpio == GPIO_IS_NOT_CONFIGURED) {
if (vars.cascadeControl.output) {
vars.cascadeControl.output = false;
if (configuredOutputGpio != GPIO_IS_NOT_CONFIGURED) {
digitalWrite(
configuredOutputGpio,
vars.cascadeControl.output ^ settings.cascadeControl.output.invertState
? HIGH
: LOW
);
}
Log.sinfoln(
FPSTR(L_CASCADE_OUTPUT),
F("Disabled, state changed to %s"),
vars.cascadeControl.output ? F("TRUE") : F("FALSE")
);
}
}
}
void externalPump() { void externalPump() {
static uint8_t configuredGpio = GPIO_IS_NOT_CONFIGURED; static uint8_t configuredGpio = GPIO_IS_NOT_CONFIGURED;

View File

@@ -270,7 +270,7 @@ protected:
return; return;
} }
if (settings.system.debug) { if (settings.system.logLevel >= TinyLogger::Level::TRACE) {
Log.strace(FPSTR(L_MQTT_MSG), F("Topic: %s\r\n> "), topic); Log.strace(FPSTR(L_MQTT_MSG), F("Topic: %s\r\n> "), topic);
if (Log.lock()) { if (Log.lock()) {
for (size_t i = 0; i < length; i++) { for (size_t i = 0; i < length; i++) {
@@ -329,7 +329,6 @@ protected:
this->haHelper->publishSensorBoilerHeatingMaxTemp(settings.system.unitSystem, false); this->haHelper->publishSensorBoilerHeatingMaxTemp(settings.system.unitSystem, false);
this->haHelper->publishNumberHeatingMinTemp(settings.system.unitSystem, false); this->haHelper->publishNumberHeatingMinTemp(settings.system.unitSystem, false);
this->haHelper->publishNumberHeatingMaxTemp(settings.system.unitSystem, false); this->haHelper->publishNumberHeatingMaxTemp(settings.system.unitSystem, false);
this->haHelper->publishNumberHeatingMaxModulation(false);
// pid // pid
this->haHelper->publishSwitchPid(); this->haHelper->publishSwitchPid();
@@ -357,6 +356,7 @@ protected:
// sensors // sensors
this->haHelper->publishSensorModulation(false); this->haHelper->publishSensorModulation(false);
this->haHelper->publishSensorPressure(settings.system.unitSystem, false); this->haHelper->publishSensorPressure(settings.system.unitSystem, false);
this->haHelper->publishSensorPower();
this->haHelper->publishSensorFaultCode(); this->haHelper->publishSensorFaultCode();
this->haHelper->publishSensorDiagnosticCode(); this->haHelper->publishSensorDiagnosticCode();
this->haHelper->publishSensorRssi(false); this->haHelper->publishSensorRssi(false);

View File

@@ -28,8 +28,6 @@ protected:
unsigned long dhwSetTempTime = 0; unsigned long dhwSetTempTime = 0;
unsigned long heatingSetTempTime = 0; unsigned long heatingSetTempTime = 0;
byte configuredRxLedGpio = GPIO_IS_NOT_CONFIGURED; byte configuredRxLedGpio = GPIO_IS_NOT_CONFIGURED;
byte configuredFaultStateGpio = GPIO_IS_NOT_CONFIGURED;
bool faultState = false;
#if defined(ARDUINO_ARCH_ESP32) #if defined(ARDUINO_ARCH_ESP32)
const char* getTaskName() override { const char* getTaskName() override {
@@ -133,28 +131,7 @@ protected:
} }
} }
// Fault state setup bool heatingEnabled = (vars.states.emergency || settings.heating.enable) && this->pump && vars.cascadeControl.input && this->isReady();
if (settings.opentherm.faultStateGpio != this->configuredFaultStateGpio) {
if (this->configuredFaultStateGpio != GPIO_IS_NOT_CONFIGURED) {
digitalWrite(this->configuredFaultStateGpio, LOW);
}
if (GPIO_IS_VALID(settings.opentherm.faultStateGpio)) {
this->configuredFaultStateGpio = settings.opentherm.faultStateGpio;
this->faultState = false ^ settings.opentherm.invertFaultState ? HIGH : LOW;
pinMode(this->configuredFaultStateGpio, OUTPUT);
digitalWrite(
this->configuredFaultStateGpio,
this->faultState
);
} else if (this->configuredFaultStateGpio != GPIO_IS_NOT_CONFIGURED) {
this->configuredFaultStateGpio = GPIO_IS_NOT_CONFIGURED;
}
}
bool heatingEnabled = (vars.states.emergency || settings.heating.enable) && this->pump && this->isReady();
bool heatingCh2Enabled = settings.opentherm.heatingCh2Enabled; bool heatingCh2Enabled = settings.opentherm.heatingCh2Enabled;
if (settings.opentherm.heatingCh1ToCh2) { if (settings.opentherm.heatingCh1ToCh2) {
heatingCh2Enabled = heatingEnabled; heatingCh2Enabled = heatingEnabled;
@@ -185,7 +162,11 @@ protected:
); );
if (!CustomOpenTherm::isValidResponse(response)) { if (!CustomOpenTherm::isValidResponse(response)) {
Log.swarningln(FPSTR(L_OT), F("Invalid response after setBoilerStatus: %s"), CustomOpenTherm::statusToString(this->instance->getLastResponseStatus())); Log.swarningln(
FPSTR(L_OT),
F("Failed receive boiler status: %s"),
CustomOpenTherm::statusToString(this->instance->getLastResponseStatus())
);
} }
if (!vars.states.otStatus && millis() - this->lastSuccessResponse < 1150) { if (!vars.states.otStatus && millis() - this->lastSuccessResponse < 1150) {
@@ -208,16 +189,6 @@ protected:
vars.states.fault = false; vars.states.fault = false;
vars.states.diagnostic = false; vars.states.diagnostic = false;
// Force fault state = on
if (this->configuredFaultStateGpio != GPIO_IS_NOT_CONFIGURED) {
bool fState = true ^ settings.opentherm.invertFaultState ? HIGH : LOW;
if (fState != this->faultState) {
this->faultState = fState;
digitalWrite(this->configuredFaultStateGpio, this->faultState);
}
}
return; return;
} }
@@ -241,32 +212,52 @@ protected:
vars.states.fault = CustomOpenTherm::isFault(response); vars.states.fault = CustomOpenTherm::isFault(response);
vars.states.diagnostic = CustomOpenTherm::isDiagnostic(response); vars.states.diagnostic = CustomOpenTherm::isDiagnostic(response);
// Fault state Log.snoticeln(
if (this->configuredFaultStateGpio != GPIO_IS_NOT_CONFIGURED) { FPSTR(L_OT),
bool fState = vars.states.fault ^ settings.opentherm.invertFaultState ? HIGH : LOW; F("Received boiler status. Heating: %hhu; DHW: %hhu; flame: %hhu; fault: %hhu; diag: %hhu"),
vars.states.heating, vars.states.dhw, vars.states.flame, vars.states.fault, vars.states.diagnostic
if (fState != this->faultState) { );
this->faultState = fState;
digitalWrite(this->configuredFaultStateGpio, this->faultState);
}
}
// These parameters will be updated every minute // These parameters will be updated every minute
if (millis() - this->prevUpdateNonEssentialVars > 60000) { if (millis() - this->prevUpdateNonEssentialVars > 60000) {
if (!heatingEnabled && settings.opentherm.modulationSyncWithHeating) { if (this->updateMinModulationLevel()) {
if (this->setMaxModulationLevel(0)) { Log.snoticeln(
Log.snoticeln(FPSTR(L_OT_HEATING), F("Set max modulation 0% (off)")); FPSTR(L_OT),
F("Received min modulation: %hhu%%, max power: %hhu kW"),
vars.parameters.minModulation,
vars.parameters.maxPower
);
if (settings.opentherm.maxModulation < vars.parameters.minModulation) {
settings.opentherm.maxModulation = vars.parameters.minModulation;
fsSettings.update();
Log.swarningln(FPSTR(L_SETTINGS_OT), F("Updated min modulation: %hhu%%"), settings.opentherm.maxModulation);
}
} else { if (fabsf(settings.opentherm.maxPower) < 0.1f && vars.parameters.maxPower > 0) {
Log.swarningln(FPSTR(L_OT_HEATING), F("Failed set max modulation 0% (off)")); settings.opentherm.maxPower = vars.parameters.maxPower;
fsSettings.update();
Log.swarningln(FPSTR(L_SETTINGS_OT), F("Updated max power: %.2f kW"), settings.opentherm.maxPower);
} }
} else { } else {
if (this->setMaxModulationLevel(settings.heating.maxModulation)) { Log.swarningln(FPSTR(L_OT), F("Failed receive min modulation and max power"));
Log.snoticeln(FPSTR(L_OT_HEATING), F("Set max modulation %hhu%%"), settings.heating.maxModulation); }
if (!heatingEnabled && settings.opentherm.modulationSyncWithHeating) {
if (this->setMaxModulationLevel(0)) {
Log.snoticeln(FPSTR(L_OT), F("Set max modulation: 0% (off)"));
} else { } else {
Log.swarningln(FPSTR(L_OT_HEATING), F("Failed set max modulation %hhu%%"), settings.heating.maxModulation); Log.swarningln(FPSTR(L_OT), F("Failed set max modulation: 0% (off)"));
}
} else {
if (this->setMaxModulationLevel(settings.opentherm.maxModulation)) {
Log.snoticeln(FPSTR(L_OT), F("Set max modulation: %hhu%%"), settings.opentherm.maxModulation);
} else {
Log.swarningln(FPSTR(L_OT), F("Failed set max modulation: %hhu%%"), settings.opentherm.maxModulation);
} }
} }
@@ -274,23 +265,30 @@ protected:
// Get DHW min/max temp (if necessary) // Get DHW min/max temp (if necessary)
if (settings.opentherm.dhwPresent && settings.opentherm.getMinMaxTemp) { if (settings.opentherm.dhwPresent && settings.opentherm.getMinMaxTemp) {
if (this->updateMinMaxDhwTemp()) { if (this->updateMinMaxDhwTemp()) {
Log.snoticeln(
FPSTR(L_OT_DHW),
F("Received min temp: %hhu, max temp: %hhu"),
vars.parameters.dhwMinTemp,
vars.parameters.dhwMaxTemp
);
if (settings.dhw.minTemp < vars.parameters.dhwMinTemp) { if (settings.dhw.minTemp < vars.parameters.dhwMinTemp) {
settings.dhw.minTemp = vars.parameters.dhwMinTemp; settings.dhw.minTemp = vars.parameters.dhwMinTemp;
fsSettings.update(); fsSettings.update();
Log.snoticeln(FPSTR(L_OT_DHW), F("Updated min temp: %hhu"), settings.dhw.minTemp); Log.swarningln(FPSTR(L_SETTINGS_DHW), F("Updated min temp: %hhu"), settings.dhw.minTemp);
} }
if (settings.dhw.maxTemp > vars.parameters.dhwMaxTemp) { if (settings.dhw.maxTemp > vars.parameters.dhwMaxTemp) {
settings.dhw.maxTemp = vars.parameters.dhwMaxTemp; settings.dhw.maxTemp = vars.parameters.dhwMaxTemp;
fsSettings.update(); fsSettings.update();
Log.snoticeln(FPSTR(L_OT_DHW), F("Updated max temp: %hhu"), settings.dhw.maxTemp); Log.swarningln(FPSTR(L_SETTINGS_DHW), F("Updated max temp: %hhu"), settings.dhw.maxTemp);
} }
} else { } else {
vars.parameters.dhwMinTemp = convertTemp(DEFAULT_DHW_MIN_TEMP, UnitSystem::METRIC, settings.system.unitSystem); vars.parameters.dhwMinTemp = convertTemp(DEFAULT_DHW_MIN_TEMP, UnitSystem::METRIC, settings.system.unitSystem);
vars.parameters.dhwMaxTemp = convertTemp(DEFAULT_DHW_MAX_TEMP, UnitSystem::METRIC, settings.system.unitSystem); vars.parameters.dhwMaxTemp = convertTemp(DEFAULT_DHW_MAX_TEMP, UnitSystem::METRIC, settings.system.unitSystem);
Log.swarningln(FPSTR(L_OT_DHW), F("Failed get min/max temp")); Log.swarningln(FPSTR(L_OT_DHW), F("Failed receive min/max temp"));
} }
if (settings.dhw.minTemp >= settings.dhw.maxTemp) { if (settings.dhw.minTemp >= settings.dhw.maxTemp) {
@@ -304,23 +302,30 @@ protected:
// Get heating min/max temp // Get heating min/max temp
if (settings.opentherm.getMinMaxTemp) { if (settings.opentherm.getMinMaxTemp) {
if (this->updateMinMaxHeatingTemp()) { if (this->updateMinMaxHeatingTemp()) {
Log.snoticeln(
FPSTR(L_OT_HEATING),
F("Received min temp: %hhu, max temp: %hhu"),
vars.parameters.heatingMinTemp,
vars.parameters.heatingMaxTemp
);
if (settings.heating.minTemp < vars.parameters.heatingMinTemp) { if (settings.heating.minTemp < vars.parameters.heatingMinTemp) {
settings.heating.minTemp = vars.parameters.heatingMinTemp; settings.heating.minTemp = vars.parameters.heatingMinTemp;
fsSettings.update(); fsSettings.update();
Log.snoticeln(FPSTR(L_OT_HEATING), F("Updated min temp: %hhu"), settings.heating.minTemp); Log.swarningln(FPSTR(L_SETTINGS_HEATING), F("Updated min temp: %hhu"), settings.heating.minTemp);
} }
if (settings.heating.maxTemp > vars.parameters.heatingMaxTemp) { if (settings.heating.maxTemp > vars.parameters.heatingMaxTemp) {
settings.heating.maxTemp = vars.parameters.heatingMaxTemp; settings.heating.maxTemp = vars.parameters.heatingMaxTemp;
fsSettings.update(); fsSettings.update();
Log.snoticeln(FPSTR(L_OT_HEATING), F("Updated max temp: %hhu"), settings.heating.maxTemp); Log.swarningln(FPSTR(L_SETTINGS_HEATING), F("Updated max temp: %hhu"), settings.heating.maxTemp);
} }
} else { } else {
vars.parameters.heatingMinTemp = convertTemp(DEFAULT_HEATING_MIN_TEMP, UnitSystem::METRIC, settings.system.unitSystem); vars.parameters.heatingMinTemp = convertTemp(DEFAULT_HEATING_MIN_TEMP, UnitSystem::METRIC, settings.system.unitSystem);
vars.parameters.heatingMaxTemp = convertTemp(DEFAULT_HEATING_MAX_TEMP, UnitSystem::METRIC, settings.system.unitSystem); vars.parameters.heatingMaxTemp = convertTemp(DEFAULT_HEATING_MAX_TEMP, UnitSystem::METRIC, settings.system.unitSystem);
Log.swarningln(FPSTR(L_OT_HEATING), F("Failed get min/max temp")); Log.swarningln(FPSTR(L_OT_HEATING), F("Failed receive min/max temp"));
} }
} }
@@ -332,7 +337,19 @@ protected:
// Get fault code (if necessary) // Get fault code (if necessary)
if (vars.states.fault) { if (vars.states.fault) {
this->updateFaultCode(); if (this->updateFaultCode()) {
Log.snoticeln(
FPSTR(L_OT),
F("Received fault code: %hhu%% (0x%02X)"),
vars.sensors.faultCode,
vars.sensors.faultCode
);
} else {
vars.sensors.faultCode = 0;
Log.swarningln(FPSTR(L_OT), F("Failed receive fault code"));
}
} else if (vars.sensors.faultCode != 0) { } else if (vars.sensors.faultCode != 0) {
vars.sensors.faultCode = 0; vars.sensors.faultCode = 0;
@@ -340,7 +357,19 @@ protected:
// Get diagnostic code (if necessary) // Get diagnostic code (if necessary)
if (vars.states.fault || vars.states.diagnostic) { if (vars.states.fault || vars.states.diagnostic) {
this->updateDiagCode(); if (this->updateDiagCode()) {
Log.snoticeln(
FPSTR(L_OT),
F("Received diag code: %hhu%% (0x%02X)"),
vars.sensors.diagnosticCode,
vars.sensors.diagnosticCode
);
} else {
vars.sensors.diagnosticCode = 0;
Log.swarningln(FPSTR(L_OT), F("Failed receive diag code"));
}
} else if (vars.sensors.diagnosticCode != 0) { } else if (vars.sensors.diagnosticCode != 0) {
vars.sensors.diagnosticCode = 0; vars.sensors.diagnosticCode = 0;
@@ -351,11 +380,21 @@ protected:
if (!settings.opentherm.filterNumValues.enable) { if (!settings.opentherm.filterNumValues.enable) {
// Get outdoor temp (if necessary) // Get outdoor temp (if necessary)
if (settings.sensors.outdoor.type == SensorType::BOILER) { if (settings.sensors.outdoor.type == SensorType::BOILER) {
this->updateOutdoorTemp(); if (this->updateOutdoorTemp()) {
Log.snoticeln(FPSTR(L_OT), F("Received outdoor temp: %.2f"), vars.temperatures.outdoor);
} else {
Log.swarningln(FPSTR(L_OT), F("Failed receive outdoor temp"));
}
} }
// Get pressure // Get pressure
this->updatePressure(); if (this->updatePressure()) {
Log.snoticeln(FPSTR(L_OT), F("Received pressure: %.2f"), vars.sensors.pressure);
} else {
Log.swarningln(FPSTR(L_OT), F("Failed receive pressure"));
}
} }
this->prevUpdateNonEssentialVars = millis(); this->prevUpdateNonEssentialVars = millis();
@@ -364,16 +403,51 @@ protected:
// Get current modulation level (if necessary) // Get current modulation level (if necessary)
if (vars.states.flame) { if (vars.states.flame) {
this->updateModulationLevel(); if (this->updateModulationLevel()) {
if (settings.opentherm.maxPower > 0.1f) {
float modulatedPower = settings.opentherm.maxPower - settings.opentherm.minPower;
vars.sensors.power = settings.opentherm.minPower + (modulatedPower / 100.0f * vars.sensors.modulation);
} else {
vars.sensors.power = 0.0f;
}
Log.snoticeln(
FPSTR(L_OT),
F("Received modulation level: %.2f%%, power: %.2f of %.2f kW (min: %.2f kW)"),
vars.sensors.modulation,
vars.sensors.power,
settings.opentherm.maxPower,
settings.opentherm.minPower
);
} else {
vars.sensors.modulation = 0;
vars.sensors.power = 0;
Log.swarningln(FPSTR(L_OT), F("Failed receive modulation level"));
}
} else { } else {
vars.sensors.modulation = 0; vars.sensors.modulation = 0;
vars.sensors.power = 0;
} }
// Update DHW sensors (if necessary) // Update DHW sensors (if necessary)
if (settings.opentherm.dhwPresent) { if (settings.opentherm.dhwPresent) {
this->updateDhwTemp(); if (this->updateDhwTemp()) {
this->updateDhwFlowRate(); Log.snoticeln(FPSTR(L_OT_DHW), F("Received temp: %.2f"), vars.temperatures.dhw);
} else {
Log.swarningln(FPSTR(L_OT_DHW), F("Failed receive temp"));
}
if (this->updateDhwFlowRate()) {
Log.snoticeln(FPSTR(L_OT_DHW), F("Received flow rate: %.2f"), vars.sensors.dhwFlowRate);
} else {
Log.swarningln(FPSTR(L_OT_DHW), F("Failed receive flow rate"));
}
} else { } else {
vars.temperatures.dhw = 0.0f; vars.temperatures.dhw = 0.0f;
@@ -381,24 +455,49 @@ protected:
} }
// Get current heating temp // Get current heating temp
this->updateHeatingTemp(); if (this->updateHeatingTemp()) {
Log.snoticeln(FPSTR(L_OT_HEATING), F("Received temp: %.2f"), vars.temperatures.heating);
} else {
Log.swarningln(FPSTR(L_OT_HEATING), F("Failed receive temp"));
}
// Get heating return temp // Get heating return temp
this->updateHeatingReturnTemp(); if (this->updateHeatingReturnTemp()) {
Log.snoticeln(FPSTR(L_OT_HEATING), F("Received return temp: %.2f"), vars.temperatures.heatingReturn);
} else {
Log.swarningln(FPSTR(L_OT_HEATING), F("Failed receive return temp"));
}
// Get exhaust temp // Get exhaust temp
this->updateExhaustTemp(); if (this->updateExhaustTemp()) {
Log.snoticeln(FPSTR(L_OT), F("Received exhaust temp: %.2f"), vars.temperatures.exhaust);
} else {
Log.swarningln(FPSTR(L_OT), F("Failed receive exhaust temp"));
}
// If filtering is enabled, these parameters // If filtering is enabled, these parameters
// must be updated every time. // must be updated every time.
if (settings.opentherm.filterNumValues.enable) { if (settings.opentherm.filterNumValues.enable) {
// Get outdoor temp (if necessary) // Get outdoor temp (if necessary)
if (settings.sensors.outdoor.type == SensorType::BOILER) { if (settings.sensors.outdoor.type == SensorType::BOILER) {
this->updateOutdoorTemp(); if (this->updateOutdoorTemp()) {
Log.snoticeln(FPSTR(L_OT), F("Received outdoor temp: %.2f"), vars.temperatures.outdoor);
} else {
Log.swarningln(FPSTR(L_OT), F("Failed receive outdoor temp"));
}
} }
// Get pressure // Get pressure
this->updatePressure(); if (this->updatePressure()) {
Log.snoticeln(FPSTR(L_OT), F("Received pressure: %.2f"), vars.sensors.pressure);
} else {
Log.swarningln(FPSTR(L_OT), F("Failed receive pressure"));
}
} }
@@ -549,46 +648,46 @@ protected:
void initialize() { void initialize() {
// Not all boilers support these, only try once when the boiler becomes connected // Not all boilers support these, only try once when the boiler becomes connected
if (this->updateSlaveVersion()) { if (this->updateSlaveVersion()) {
Log.straceln(FPSTR(L_OT), F("Slave version: %u, type: %u"), vars.parameters.slaveVersion, vars.parameters.slaveType); Log.snoticeln(FPSTR(L_OT), F("Received slave version: %u, type: %u"), vars.parameters.slaveVersion, vars.parameters.slaveType);
} else { } else {
Log.swarningln(FPSTR(L_OT), F("Get slave version failed")); Log.swarningln(FPSTR(L_OT), F("Failed receive slave version"));
} }
// 0x013F // 0x013F
if (this->setMasterVersion(0x3F, 0x01)) { if (this->setMasterVersion(0x3F, 0x01)) {
Log.straceln(FPSTR(L_OT), F("Master version: %u, type: %u"), vars.parameters.masterVersion, vars.parameters.masterType); Log.snoticeln(FPSTR(L_OT), F("Set master version: %u, type: %u"), vars.parameters.masterVersion, vars.parameters.masterType);
} else { } else {
Log.swarningln(FPSTR(L_OT), F("Set master version failed")); Log.swarningln(FPSTR(L_OT), F("Failed set master version"));
} }
if (this->updateSlaveOtVersion()) { if (this->updateSlaveOtVersion()) {
Log.straceln(FPSTR(L_OT), F("Slave OT version: %f"), vars.parameters.slaveOtVersion); Log.snoticeln(FPSTR(L_OT), F("Received slave OT version: %f"), vars.parameters.slaveOtVersion);
} else { } else {
Log.swarningln(FPSTR(L_OT), F("Get slave OT version failed")); Log.swarningln(FPSTR(L_OT), F("Failed receive slave OT version"));
} }
if (this->setMasterOtVersion(2.2f)) { if (this->setMasterOtVersion(2.2f)) {
Log.straceln(FPSTR(L_OT), F("Master OT version: %f"), vars.parameters.masterOtVersion); Log.snoticeln(FPSTR(L_OT), F("Set master OT version: %f"), vars.parameters.masterOtVersion);
} else { } else {
Log.swarningln(FPSTR(L_OT), F("Set master OT version failed")); Log.swarningln(FPSTR(L_OT), F("Failed set master OT version"));
} }
if (this->updateSlaveConfig()) { if (this->updateSlaveConfig()) {
Log.straceln(FPSTR(L_OT), F("Slave member id: %u, flags: %u"), vars.parameters.slaveMemberId, vars.parameters.slaveFlags); Log.snoticeln(FPSTR(L_OT), F("Received slave member id: %u, flags: %u"), vars.parameters.slaveMemberId, vars.parameters.slaveFlags);
} else { } else {
Log.swarningln(FPSTR(L_OT), F("Get slave config failed")); Log.swarningln(FPSTR(L_OT), F("Failed receive slave config"));
} }
if (this->setMasterConfig(settings.opentherm.memberIdCode & 0xFF, (settings.opentherm.memberIdCode & 0xFFFF) >> 8)) { if (this->setMasterConfig(settings.opentherm.memberIdCode & 0xFF, (settings.opentherm.memberIdCode & 0xFFFF) >> 8)) {
Log.straceln(FPSTR(L_OT), F("Master member id: %u, flags: %u"), vars.parameters.masterMemberId, vars.parameters.masterFlags); Log.snoticeln(FPSTR(L_OT), F("Set master member id: %u, flags: %u"), vars.parameters.masterMemberId, vars.parameters.masterFlags);
} else { } else {
Log.swarningln(FPSTR(L_OT), F("Set master config failed")); Log.swarningln(FPSTR(L_OT), F("Failed set master config"));
} }
} }
@@ -999,7 +1098,6 @@ protected:
)); ));
if (!CustomOpenTherm::isValidResponse(response)) { if (!CustomOpenTherm::isValidResponse(response)) {
vars.sensors.faultCode = 0;
return false; return false;
} }
@@ -1015,7 +1113,6 @@ protected:
)); ));
if (!CustomOpenTherm::isValidResponse(response)) { if (!CustomOpenTherm::isValidResponse(response)) {
vars.sensors.diagnosticCode = 0;
return false; return false;
} }
@@ -1035,6 +1132,10 @@ protected:
} }
float value = CustomOpenTherm::getFloat(response); float value = CustomOpenTherm::getFloat(response);
if (value < 0) {
return false;
}
if (settings.opentherm.filterNumValues.enable && fabs(vars.sensors.modulation) >= 0.1f) { if (settings.opentherm.filterNumValues.enable && fabs(vars.sensors.modulation) >= 0.1f) {
vars.sensors.modulation += (value - vars.sensors.modulation) * settings.opentherm.filterNumValues.factor; vars.sensors.modulation += (value - vars.sensors.modulation) * settings.opentherm.filterNumValues.factor;
@@ -1045,6 +1146,23 @@ protected:
return true; return true;
} }
bool updateMinModulationLevel() {
unsigned long response = this->instance->sendRequest(CustomOpenTherm::buildRequest(
OpenThermRequestType::READ_DATA,
OpenThermMessageID::MaxCapacityMinModLevel,
0
));
if (!CustomOpenTherm::isValidResponse(response)) {
return false;
}
vars.parameters.minModulation = response & 0xFF;
vars.parameters.maxPower = (response & 0xFFFF) >> 8;
return true;
}
bool updatePressure() { bool updatePressure() {
unsigned long response = this->instance->sendRequest(CustomOpenTherm::buildRequest( unsigned long response = this->instance->sendRequest(CustomOpenTherm::buildRequest(
OpenThermRequestType::READ_DATA, OpenThermRequestType::READ_DATA,

View File

@@ -1,5 +1,5 @@
#define PORTAL_CACHE_TIME "max-age=86400" #define PORTAL_CACHE_TIME "max-age=86400"
#define PORTAL_CACHE settings.system.debug ? nullptr : PORTAL_CACHE_TIME #define PORTAL_CACHE (settings.system.logLevel >= TinyLogger::Level::TRACE ? nullptr : PORTAL_CACHE_TIME)
#ifdef ARDUINO_ARCH_ESP8266 #ifdef ARDUINO_ARCH_ESP8266
#include <ESP8266WebServer.h> #include <ESP8266WebServer.h>
#include <Updater.h> #include <Updater.h>
@@ -225,7 +225,7 @@ protected:
this->webServer->send(406); this->webServer->send(406);
return; return;
} else if (plain.length() > 2048) { } else if (plain.length() > 2536) {
this->webServer->send(413); this->webServer->send(413);
return; return;
} }
@@ -413,7 +413,7 @@ protected:
this->webServer->send(406); this->webServer->send(406);
return; return;
} else if (plain.length() > 2048) { } else if (plain.length() > 2536) {
this->webServer->send(413); this->webServer->send(413);
return; return;
} }
@@ -469,7 +469,7 @@ protected:
this->webServer->send(406); this->webServer->send(406);
return; return;
} else if (plain.length() > 1024) { } else if (plain.length() > 1536) {
this->webServer->send(413); this->webServer->send(413);
return; return;
} }
@@ -504,6 +504,9 @@ protected:
bool isConnected = network->isConnected(); bool isConnected = network->isConnected();
JsonDocument doc; JsonDocument doc;
doc["system"]["resetReason"] = getResetReason();
doc["system"]["uptime"] = millis() / 1000ul;
doc["network"]["hostname"] = networkSettings.hostname; doc["network"]["hostname"] = networkSettings.hostname;
doc["network"]["mac"] = network->getStaMac(); doc["network"]["mac"] = network->getStaMac();
doc["network"]["connected"] = isConnected; doc["network"]["connected"] = isConnected;
@@ -515,49 +518,124 @@ protected:
doc["network"]["gateway"] = isConnected ? network->getStaGateway().toString() : ""; doc["network"]["gateway"] = isConnected ? network->getStaGateway().toString() : "";
doc["network"]["dns"] = isConnected ? network->getStaDns().toString() : ""; doc["network"]["dns"] = isConnected ? network->getStaDns().toString() : "";
doc["system"]["buildVersion"] = BUILD_VERSION; doc["build"]["version"] = BUILD_VERSION;
doc["system"]["buildDate"] = __DATE__ " " __TIME__; doc["build"]["date"] = __DATE__ " " __TIME__;
doc["system"]["buildEnv"] = BUILD_ENV; doc["build"]["env"] = BUILD_ENV;
doc["system"]["uptime"] = millis() / 1000ul;
doc["system"]["totalHeap"] = getTotalHeap(); doc["heap"]["total"] = getTotalHeap();
doc["system"]["freeHeap"] = getFreeHeap(); doc["heap"]["free"] = getFreeHeap();
doc["system"]["minFreeHeap"] = getFreeHeap(true); doc["heap"]["minFree"] = getFreeHeap(true);
doc["system"]["maxFreeBlockHeap"] = getMaxFreeBlockHeap(); doc["heap"]["maxFreeBlock"] = getMaxFreeBlockHeap();
doc["system"]["minMaxFreeBlockHeap"] = getMaxFreeBlockHeap(true); doc["heap"]["minMaxFreeBlock"] = getMaxFreeBlockHeap(true);
doc["system"]["resetReason"] = getResetReason();
#ifdef ARDUINO_ARCH_ESP8266 #ifdef ARDUINO_ARCH_ESP8266
doc["system"]["chipModel"] = esp_is_8285() ? "ESP8285" : "ESP8266"; doc["build"]["core"] = ESP.getCoreVersion();
doc["system"]["chipRevision"] = 0; doc["build"]["sdk"] = ESP.getSdkVersion();
doc["system"]["chipCores"] = 1; doc["chip"]["model"] = esp_is_8285() ? "ESP8285" : "ESP8266";
doc["system"]["cpuFreq"] = ESP.getCpuFreqMHz(); doc["chip"]["rev"] = 0;
doc["system"]["coreVersion"] = ESP.getCoreVersion(); doc["chip"]["cores"] = 1;
doc["system"]["flashSize"] = ESP.getFlashChipSize(); doc["chip"]["freq"] = ESP.getCpuFreqMHz();
doc["system"]["flashRealSize"] = ESP.getFlashChipRealSize(); doc["flash"]["size"] = ESP.getFlashChipSize();
doc["flash"]["realSize"] = ESP.getFlashChipRealSize();
#elif ARDUINO_ARCH_ESP32 #elif ARDUINO_ARCH_ESP32
doc["system"]["chipModel"] = ESP.getChipModel(); doc["build"]["core"] = ESP.getCoreVersion();
doc["system"]["chipRevision"] = ESP.getChipRevision(); doc["build"]["sdk"] = ESP.getSdkVersion();
doc["system"]["chipCores"] = ESP.getChipCores(); doc["chip"]["model"] = ESP.getChipModel();
doc["system"]["cpuFreq"] = ESP.getCpuFreqMHz(); doc["chip"]["rev"] = ESP.getChipRevision();
doc["system"]["coreVersion"] = ESP.getSdkVersion(); doc["chip"]["cores"] = ESP.getChipCores();
doc["system"]["flashSize"] = ESP.getFlashChipSize(); doc["chip"]["freq"] = ESP.getCpuFreqMHz();
doc["system"]["flashRealSize"] = doc["system"]["flashSize"]; doc["flash"]["size"] = ESP.getFlashChipSize();
doc["flash"]["realSize"] = doc["flash"]["size"];
#else #else
doc["system"]["chipModel"] = 0; doc["build"]["core"] = 0;
doc["system"]["chipRevision"] = 0; doc["build"]["sdk"] = 0;
doc["system"]["chipCores"] = 0; doc["chip"]["model"] = 0;
doc["system"]["cpuFreq"] = 0; doc["chip"]["rev"] = 0;
doc["system"]["coreVersion"] = 0; doc["chip"]["cores"] = 0;
doc["system"]["flashSize"] = 0; doc["chip"]["freq"] = 0;
doc["system"]["flashRealSize"] = 0; doc["flash"]["size"] = 0;
doc["flash"]["realSize"] = 0;
#endif #endif
doc.shrinkToFit(); doc.shrinkToFit();
this->bufferedWebServer->send(200, "application/json", doc); this->bufferedWebServer->send(200, "application/json", doc);
}); });
this->webServer->on("/api/debug", HTTP_GET, [this]() {
JsonDocument doc;
doc["build"]["version"] = BUILD_VERSION;
doc["build"]["date"] = __DATE__ " " __TIME__;
doc["build"]["env"] = BUILD_ENV;
doc["heap"]["total"] = getTotalHeap();
doc["heap"]["free"] = getFreeHeap();
doc["heap"]["minFree"] = getFreeHeap(true);
doc["heap"]["maxFreeBlock"] = getMaxFreeBlockHeap();
doc["heap"]["minMaxFreeBlock"] = getMaxFreeBlockHeap(true);
#if defined(ARDUINO_ARCH_ESP32)
auto reason = esp_reset_reason();
if (reason != ESP_RST_UNKNOWN && reason != ESP_RST_POWERON && reason != ESP_RST_SW) {
#elif defined(ARDUINO_ARCH_ESP8266)
auto reason = ESP.getResetInfoPtr()->reason;
if (reason != REASON_DEFAULT_RST && reason != REASON_SOFT_RESTART && reason != REASON_EXT_SYS_RST) {
#else
if (false) {
#endif
doc["crash"]["reason"] = getResetReason();
doc["crash"]["core"] = CrashRecorder::ext.core;
doc["crash"]["heap"] = CrashRecorder::ext.heap;
doc["crash"]["uptime"] = CrashRecorder::ext.uptime;
if (CrashRecorder::backtrace.length > 0 && CrashRecorder::backtrace.length <= CrashRecorder::backtraceMaxLength) {
String backtraceStr;
arr2str(backtraceStr, CrashRecorder::backtrace.data, CrashRecorder::backtrace.length);
doc["crash"]["backtrace"]["data"] = backtraceStr;
doc["crash"]["backtrace"]["continues"] = CrashRecorder::backtrace.continues;
}
if (CrashRecorder::epc.length > 0 && CrashRecorder::epc.length <= CrashRecorder::epcMaxLength) {
String epcStr;
arr2str(epcStr, CrashRecorder::epc.data, CrashRecorder::epc.length);
doc["crash"]["epc"] = epcStr;
}
}
#ifdef ARDUINO_ARCH_ESP8266
doc["build"]["core"] = ESP.getCoreVersion();
doc["build"]["sdk"] = ESP.getSdkVersion();
doc["chip"]["model"] = esp_is_8285() ? "ESP8285" : "ESP8266";
doc["chip"]["rev"] = 0;
doc["chip"]["cores"] = 1;
doc["chip"]["freq"] = ESP.getCpuFreqMHz();
doc["flash"]["size"] = ESP.getFlashChipSize();
doc["flash"]["realSize"] = ESP.getFlashChipRealSize();
#elif ARDUINO_ARCH_ESP32
doc["build"]["core"] = ESP.getCoreVersion();
doc["build"]["sdk"] = ESP.getSdkVersion();
doc["chip"]["model"] = ESP.getChipModel();
doc["chip"]["rev"] = ESP.getChipRevision();
doc["chip"]["cores"] = ESP.getChipCores();
doc["chip"]["freq"] = ESP.getCpuFreqMHz();
doc["flash"]["size"] = ESP.getFlashChipSize();
doc["flash"]["realSize"] = doc["flash"]["size"];
#else
doc["build"]["core"] = 0;
doc["build"]["sdk"] = 0;
doc["chip"]["model"] = 0;
doc["chip"]["rev"] = 0;
doc["chip"]["cores"] = 0;
doc["chip"]["freq"] = 0;
doc["flash"]["size"] = 0;
doc["flash"]["realSize"] = 0;
#endif
doc.shrinkToFit();
this->webServer->sendHeader(F("Content-Disposition"), F("attachment; filename=\"debug.json\""));
this->bufferedWebServer->send(200, "application/json", doc, true);
});
// not found // not found
this->webServer->onNotFound([this]() { this->webServer->onNotFound([this]() {
@@ -691,7 +769,7 @@ protected:
return; return;
} }
this->webServer->handleClient(); //this->webServer->handleClient();
this->webServer->stop(); this->webServer->stop();
this->webServerEnabled = false; this->webServerEnabled = false;
this->webServerChangeState = millis(); this->webServerChangeState = millis();
@@ -716,7 +794,7 @@ protected:
return; return;
} }
this->dnsServer->processNextRequest(); //this->dnsServer->processNextRequest();
this->dnsServer->stop(); this->dnsServer->stop();
this->dnsServerEnabled = false; this->dnsServerEnabled = false;
this->dnsServerChangeState = millis(); this->dnsServerChangeState = millis();

View File

@@ -24,16 +24,16 @@ struct NetworkSettings {
struct Settings { struct Settings {
struct { struct {
bool debug = DEBUG_BY_DEFAULT; uint8_t logLevel = DEFAULT_LOG_LEVEL;
struct { struct {
bool enable = USE_SERIAL; bool enable = DEFAULT_SERIAL_ENABLE;
unsigned int baudrate = 115200; unsigned int baudrate = DEFAULT_SERIAL_BAUD;
} serial; } serial;
struct { struct {
bool enable = USE_TELNET; bool enable = DEFAULT_TELNET_ENABLE;
unsigned short port = 23; unsigned short port = DEFAULT_TELNET_PORT;
} telnet; } telnet;
UnitSystem unitSystem = UnitSystem::METRIC; UnitSystem unitSystem = UnitSystem::METRIC;
@@ -51,11 +51,12 @@ struct Settings {
byte inGpio = DEFAULT_OT_IN_GPIO; byte inGpio = DEFAULT_OT_IN_GPIO;
byte outGpio = DEFAULT_OT_OUT_GPIO; byte outGpio = DEFAULT_OT_OUT_GPIO;
byte rxLedGpio = DEFAULT_OT_RX_LED_GPIO; byte rxLedGpio = DEFAULT_OT_RX_LED_GPIO;
byte faultStateGpio = DEFAULT_OT_FAULT_STATE_GPIO;
byte invertFaultState = false;
unsigned int memberIdCode = 0; unsigned int memberIdCode = 0;
uint8_t maxModulation = 100;
float pressureFactor = 1.0f; float pressureFactor = 1.0f;
float dhwFlowRateFactor = 1.0f; float dhwFlowRateFactor = 1.0f;
float minPower = 0.0f;
float maxPower = 0.0f;
bool dhwPresent = true; bool dhwPresent = true;
bool summerWinterMode = false; bool summerWinterMode = false;
bool heatingCh2Enabled = true; bool heatingCh2Enabled = true;
@@ -103,7 +104,6 @@ struct Settings {
float hysteresis = 0.5f; float hysteresis = 0.5f;
byte minTemp = DEFAULT_HEATING_MIN_TEMP; byte minTemp = DEFAULT_HEATING_MIN_TEMP;
byte maxTemp = DEFAULT_HEATING_MAX_TEMP; byte maxTemp = DEFAULT_HEATING_MAX_TEMP;
byte maxModulation = 100;
} heating; } heating;
struct { struct {
@@ -154,6 +154,25 @@ struct Settings {
unsigned short antiStuckTime = 300; unsigned short antiStuckTime = 300;
} externalPump; } externalPump;
struct {
struct {
bool enable = false;
byte gpio = GPIO_IS_NOT_CONFIGURED;
byte invertState = false;
unsigned short thresholdTime = 60;
} input;
struct {
bool enable = false;
byte gpio = GPIO_IS_NOT_CONFIGURED;
byte invertState = false;
unsigned short thresholdTime = 60;
bool onFault = true;
bool onLossConnection = true;
bool onEnabledHeating = false;
} output;
} cascadeControl;
char validationValue[8] = SETTINGS_VALID_VALUE; char validationValue[8] = SETTINGS_VALID_VALUE;
} settings; } settings;
@@ -174,6 +193,7 @@ struct Variables {
float modulation = 0.0f; float modulation = 0.0f;
float pressure = 0.0f; float pressure = 0.0f;
float dhwFlowRate = 0.0f; float dhwFlowRate = 0.0f;
float power = 0.0f;
byte faultCode = 0; byte faultCode = 0;
unsigned short diagnosticCode = 0; unsigned short diagnosticCode = 0;
int8_t rssi = 0; int8_t rssi = 0;
@@ -202,6 +222,11 @@ struct Variables {
float exhaust = 0.0f; float exhaust = 0.0f;
} temperatures; } temperatures;
struct {
bool input = false;
bool output = false;
} cascadeControl;
struct { struct {
bool heatingEnabled = false; bool heatingEnabled = false;
byte heatingMinTemp = DEFAULT_HEATING_MIN_TEMP; byte heatingMinTemp = DEFAULT_HEATING_MIN_TEMP;
@@ -210,7 +235,9 @@ struct Variables {
unsigned long extPumpLastEnableTime = 0; unsigned long extPumpLastEnableTime = 0;
byte dhwMinTemp = DEFAULT_DHW_MIN_TEMP; byte dhwMinTemp = DEFAULT_DHW_MIN_TEMP;
byte dhwMaxTemp = DEFAULT_DHW_MAX_TEMP; byte dhwMaxTemp = DEFAULT_DHW_MAX_TEMP;
byte minModulation = 0;
byte maxModulation = 0; byte maxModulation = 0;
uint8_t maxPower = 0;
uint8_t slaveMemberId = 0; uint8_t slaveMemberId = 0;
uint8_t slaveFlags = 0; uint8_t slaveFlags = 0;
uint8_t slaveType = 0; uint8_t slaveType = 0;

View File

@@ -30,12 +30,20 @@
#define BUILD_ENV "undefined" #define BUILD_ENV "undefined"
#endif #endif
#ifndef USE_SERIAL #ifndef DEFAULT_SERIAL_ENABLE
#define USE_SERIAL true #define DEFAULT_SERIAL_ENABLE true
#endif #endif
#ifndef USE_TELNET #ifndef DEFAULT_SERIAL_BAUD
#define USE_TELNET true #define DEFAULT_SERIAL_BAUD 115200
#endif
#ifndef DEFAULT_TELNET_ENABLE
#define DEFAULT_TELNET_ENABLE true
#endif
#ifndef DEFAULT_TELNET_PORT
#define DEFAULT_TELNET_PORT 23
#endif #endif
#ifndef USE_BLE #ifndef USE_BLE
@@ -62,8 +70,8 @@
#define DEFAULT_STA_PASSWORD "" #define DEFAULT_STA_PASSWORD ""
#endif #endif
#ifndef DEBUG_BY_DEFAULT #ifndef DEFAULT_LOG_LEVEL
#define DEBUG_BY_DEFAULT false #define DEFAULT_LOG_LEVEL TinyLogger::Level::VERBOSE
#endif #endif
#ifndef DEFAULT_STATUS_LED_GPIO #ifndef DEFAULT_STATUS_LED_GPIO

View File

@@ -1,6 +1,7 @@
#include <Arduino.h> #include <Arduino.h>
#include "defines.h" #include "defines.h"
#include "strings.h" #include "strings.h"
#include "CrashRecorder.h"
#include <ArduinoJson.h> #include <ArduinoJson.h>
#include <FileData.h> #include <FileData.h>
#include <LittleFS.h> #include <LittleFS.h>
@@ -45,6 +46,7 @@ MainTask* tMain;
void setup() { void setup() {
CrashRecorder::init();
LittleFS.begin(); LittleFS.begin();
Log.setLevel(TinyLogger::Level::VERBOSE); Log.setLevel(TinyLogger::Level::VERBOSE);
@@ -129,7 +131,9 @@ void setup() {
Log.addStream(telnetStream); Log.addStream(telnetStream);
} }
Log.setLevel(settings.system.debug ? TinyLogger::Level::VERBOSE : TinyLogger::Level::INFO); if (settings.system.logLevel >= TinyLogger::Level::SILENT && settings.system.logLevel <= TinyLogger::Level::VERBOSE) {
Log.setLevel(static_cast<TinyLogger::Level>(settings.system.logLevel));
}
// network // network
network = (new NetworkMgr) network = (new NetworkMgr)

View File

@@ -4,6 +4,9 @@
#endif #endif
const char L_SETTINGS[] PROGMEM = "SETTINGS"; const char L_SETTINGS[] PROGMEM = "SETTINGS";
const char L_SETTINGS_OT[] PROGMEM = "SETTINGS.OT";
const char L_SETTINGS_DHW[] PROGMEM = "SETTINGS.DHW";
const char L_SETTINGS_HEATING[] PROGMEM = "SETTINGS.HEATING";
const char L_NETWORK[] PROGMEM = "NETWORK"; const char L_NETWORK[] PROGMEM = "NETWORK";
const char L_NETWORK_SETTINGS[] PROGMEM = "NETWORK.SETTINGS"; const char L_NETWORK_SETTINGS[] PROGMEM = "NETWORK.SETTINGS";
const char L_PORTAL_WEBSERVER[] PROGMEM = "PORTAL.WEBSERVER"; const char L_PORTAL_WEBSERVER[] PROGMEM = "PORTAL.WEBSERVER";
@@ -21,4 +24,6 @@ const char L_SENSORS_INDOOR[] PROGMEM = "SENSORS.INDOOR";
const char L_SENSORS_BLE[] PROGMEM = "SENSORS.BLE"; const char L_SENSORS_BLE[] PROGMEM = "SENSORS.BLE";
const char L_REGULATOR[] PROGMEM = "REGULATOR"; const char L_REGULATOR[] PROGMEM = "REGULATOR";
const char L_REGULATOR_PID[] PROGMEM = "REGULATOR.PID"; const char L_REGULATOR_PID[] PROGMEM = "REGULATOR.PID";
const char L_REGULATOR_EQUITHERM[] PROGMEM = "REGULATOR.EQUITHERM"; const char L_REGULATOR_EQUITHERM[] PROGMEM = "REGULATOR.EQUITHERM";
const char L_CASCADE_INPUT[] PROGMEM = "CASCADE.INPUT";
const char L_CASCADE_OUTPUT[] PROGMEM = "CASCADE.OUTPUT";

View File

@@ -188,6 +188,22 @@ String getResetReason() {
return value; return value;
} }
template <class T>
void arr2str(String &str, T arr[], size_t length) {
char buffer[12];
for (size_t i = 0; i < length; i++) {
auto addr = arr[i];
if (!addr) {
continue;
}
sprintf(buffer, "0x%08X ", addr);
str.concat(buffer);
}
str.trim();
}
void networkSettingsToJson(const NetworkSettings& src, JsonVariant dst) { void networkSettingsToJson(const NetworkSettings& src, JsonVariant dst) {
dst["hostname"] = src.hostname; dst["hostname"] = src.hostname;
@@ -326,7 +342,7 @@ bool jsonToNetworkSettings(const JsonVariantConst src, NetworkSettings& dst) {
void settingsToJson(const Settings& src, JsonVariant dst, bool safe = false) { void settingsToJson(const Settings& src, JsonVariant dst, bool safe = false) {
if (!safe) { if (!safe) {
dst["system"]["debug"] = src.system.debug; dst["system"]["logLevel"] = static_cast<uint8_t>(src.system.logLevel);
dst["system"]["serial"]["enable"] = src.system.serial.enable; dst["system"]["serial"]["enable"] = src.system.serial.enable;
dst["system"]["serial"]["baudrate"] = src.system.serial.baudrate; dst["system"]["serial"]["baudrate"] = src.system.serial.baudrate;
dst["system"]["telnet"]["enable"] = src.system.telnet.enable; dst["system"]["telnet"]["enable"] = src.system.telnet.enable;
@@ -342,11 +358,12 @@ void settingsToJson(const Settings& src, JsonVariant dst, bool safe = false) {
dst["opentherm"]["inGpio"] = src.opentherm.inGpio; dst["opentherm"]["inGpio"] = src.opentherm.inGpio;
dst["opentherm"]["outGpio"] = src.opentherm.outGpio; dst["opentherm"]["outGpio"] = src.opentherm.outGpio;
dst["opentherm"]["rxLedGpio"] = src.opentherm.rxLedGpio; dst["opentherm"]["rxLedGpio"] = src.opentherm.rxLedGpio;
dst["opentherm"]["faultStateGpio"] = src.opentherm.faultStateGpio;
dst["opentherm"]["invertFaultState"] = src.opentherm.invertFaultState;
dst["opentherm"]["memberIdCode"] = src.opentherm.memberIdCode; dst["opentherm"]["memberIdCode"] = src.opentherm.memberIdCode;
dst["opentherm"]["maxModulation"] = src.opentherm.maxModulation;
dst["opentherm"]["pressureFactor"] = roundd(src.opentherm.pressureFactor, 2); dst["opentherm"]["pressureFactor"] = roundd(src.opentherm.pressureFactor, 2);
dst["opentherm"]["dhwFlowRateFactor"] = roundd(src.opentherm.dhwFlowRateFactor, 2); dst["opentherm"]["dhwFlowRateFactor"] = roundd(src.opentherm.dhwFlowRateFactor, 2);
dst["opentherm"]["minPower"] = roundd(src.opentherm.minPower, 2);
dst["opentherm"]["maxPower"] = roundd(src.opentherm.maxPower, 2);
dst["opentherm"]["dhwPresent"] = src.opentherm.dhwPresent; dst["opentherm"]["dhwPresent"] = src.opentherm.dhwPresent;
dst["opentherm"]["summerWinterMode"] = src.opentherm.summerWinterMode; dst["opentherm"]["summerWinterMode"] = src.opentherm.summerWinterMode;
dst["opentherm"]["heatingCh2Enabled"] = src.opentherm.heatingCh2Enabled; dst["opentherm"]["heatingCh2Enabled"] = src.opentherm.heatingCh2Enabled;
@@ -386,7 +403,6 @@ void settingsToJson(const Settings& src, JsonVariant dst, bool safe = false) {
dst["heating"]["hysteresis"] = roundd(src.heating.hysteresis, 2); dst["heating"]["hysteresis"] = roundd(src.heating.hysteresis, 2);
dst["heating"]["minTemp"] = src.heating.minTemp; dst["heating"]["minTemp"] = src.heating.minTemp;
dst["heating"]["maxTemp"] = src.heating.maxTemp; dst["heating"]["maxTemp"] = src.heating.maxTemp;
dst["heating"]["maxModulation"] = src.heating.maxModulation;
dst["dhw"]["enable"] = src.dhw.enable; dst["dhw"]["enable"] = src.dhw.enable;
dst["dhw"]["target"] = roundd(src.dhw.target, 1); dst["dhw"]["target"] = roundd(src.dhw.target, 1);
@@ -445,6 +461,19 @@ void settingsToJson(const Settings& src, JsonVariant dst, bool safe = false) {
dst["externalPump"]["postCirculationTime"] = roundd(src.externalPump.postCirculationTime / 60, 0); dst["externalPump"]["postCirculationTime"] = roundd(src.externalPump.postCirculationTime / 60, 0);
dst["externalPump"]["antiStuckInterval"] = roundd(src.externalPump.antiStuckInterval / 86400, 0); dst["externalPump"]["antiStuckInterval"] = roundd(src.externalPump.antiStuckInterval / 86400, 0);
dst["externalPump"]["antiStuckTime"] = roundd(src.externalPump.antiStuckTime / 60, 0); dst["externalPump"]["antiStuckTime"] = roundd(src.externalPump.antiStuckTime / 60, 0);
dst["cascadeControl"]["input"]["enable"] = src.cascadeControl.input.enable;
dst["cascadeControl"]["input"]["gpio"] = src.cascadeControl.input.gpio;
dst["cascadeControl"]["input"]["invertState"] = src.cascadeControl.input.invertState;
dst["cascadeControl"]["input"]["thresholdTime"] = src.cascadeControl.input.thresholdTime;
dst["cascadeControl"]["output"]["enable"] = src.cascadeControl.output.enable;
dst["cascadeControl"]["output"]["gpio"] = src.cascadeControl.output.gpio;
dst["cascadeControl"]["output"]["invertState"] = src.cascadeControl.output.invertState;
dst["cascadeControl"]["output"]["thresholdTime"] = src.cascadeControl.output.thresholdTime;
dst["cascadeControl"]["output"]["onFault"] = src.cascadeControl.output.onFault;
dst["cascadeControl"]["output"]["onLossConnection"] = src.cascadeControl.output.onLossConnection;
dst["cascadeControl"]["output"]["onEnabledHeating"] = src.cascadeControl.output.onEnabledHeating;
} }
} }
@@ -457,11 +486,11 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
if (!safe) { if (!safe) {
// system // system
if (src["system"]["debug"].is<bool>()) { if (!src["system"]["logLevel"].isNull()) {
bool value = src["system"]["debug"].as<bool>(); uint8_t value = src["system"]["logLevel"].as<uint8_t>();
if (value != dst.system.debug) { if (value != dst.system.logLevel && value >= TinyLogger::Level::SILENT && value <= TinyLogger::Level::VERBOSE) {
dst.system.debug = value; dst.system.logLevel = value;
changed = true; changed = true;
} }
} }
@@ -663,32 +692,6 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
} }
} }
if (!src["opentherm"]["faultStateGpio"].isNull()) {
if (src["opentherm"]["faultStateGpio"].is<JsonString>() && src["opentherm"]["faultStateGpio"].as<JsonString>().size() == 0) {
if (dst.opentherm.faultStateGpio != GPIO_IS_NOT_CONFIGURED) {
dst.opentherm.faultStateGpio = GPIO_IS_NOT_CONFIGURED;
changed = true;
}
} else {
unsigned char value = src["opentherm"]["faultStateGpio"].as<unsigned char>();
if (GPIO_IS_VALID(value) && value != dst.opentherm.faultStateGpio) {
dst.opentherm.faultStateGpio = value;
changed = true;
}
}
}
if (src["opentherm"]["invertFaultState"].is<bool>()) {
bool value = src["opentherm"]["invertFaultState"].as<bool>();
if (value != dst.opentherm.invertFaultState) {
dst.opentherm.invertFaultState = value;
changed = true;
}
}
if (!src["opentherm"]["memberIdCode"].isNull()) { if (!src["opentherm"]["memberIdCode"].isNull()) {
unsigned int value = src["opentherm"]["memberIdCode"].as<unsigned int>(); unsigned int value = src["opentherm"]["memberIdCode"].as<unsigned int>();
@@ -698,6 +701,15 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
} }
} }
if (!src["opentherm"]["maxModulation"].isNull()) {
unsigned char value = src["opentherm"]["maxModulation"].as<unsigned char>();
if (value > 0 && value <= 100 && value != dst.opentherm.maxModulation) {
dst.opentherm.maxModulation = value;
changed = true;
}
}
if (!src["opentherm"]["pressureFactor"].isNull()) { if (!src["opentherm"]["pressureFactor"].isNull()) {
float value = src["opentherm"]["pressureFactor"].as<float>(); float value = src["opentherm"]["pressureFactor"].as<float>();
@@ -716,6 +728,24 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
} }
} }
if (!src["opentherm"]["minPower"].isNull()) {
float value = src["opentherm"]["minPower"].as<float>();
if (value >= 0 && value <= 1000 && fabs(value - dst.opentherm.minPower) > 0.0001f) {
dst.opentherm.minPower = roundd(value, 2);
changed = true;
}
}
if (!src["opentherm"]["maxPower"].isNull()) {
float value = src["opentherm"]["maxPower"].as<float>();
if (value >= 0 && value <= 1000 && fabs(value - dst.opentherm.maxPower) > 0.0001f) {
dst.opentherm.maxPower = roundd(value, 2);
changed = true;
}
}
if (src["opentherm"]["filterNumValues"]["enable"].is<bool>()) { if (src["opentherm"]["filterNumValues"]["enable"].is<bool>()) {
bool value = src["opentherm"]["filterNumValues"]["enable"].as<bool>(); bool value = src["opentherm"]["filterNumValues"]["enable"].as<bool>();
@@ -1070,7 +1100,7 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
if (!src["pid"]["dt"].isNull()) { if (!src["pid"]["dt"].isNull()) {
unsigned short value = src["pid"]["dt"].as<unsigned short>(); unsigned short value = src["pid"]["dt"].as<unsigned short>();
if (value >= 30 && value <= 600 && value != dst.pid.dt) { if (value >= 30 && value <= 1800 && value != dst.pid.dt) {
dst.pid.dt = value; dst.pid.dt = value;
changed = true; changed = true;
} }
@@ -1185,15 +1215,6 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
} }
} }
if (!src["heating"]["maxModulation"].isNull()) {
unsigned char value = src["heating"]["maxModulation"].as<unsigned char>();
if (value > 0 && value <= 100 && value != dst.heating.maxModulation) {
dst.heating.maxModulation = value;
changed = true;
}
}
// dhw // dhw
if (src["dhw"]["enable"].is<bool>()) { if (src["dhw"]["enable"].is<bool>()) {
@@ -1450,6 +1471,127 @@ bool jsonToSettings(const JsonVariantConst src, Settings& dst, bool safe = false
} }
} }
} }
// cascade control
if (src["cascadeControl"]["input"]["enable"].is<bool>()) {
bool value = src["cascadeControl"]["input"]["enable"].as<bool>();
if (value != dst.cascadeControl.input.enable) {
dst.cascadeControl.input.enable = value;
changed = true;
}
}
if (!src["cascadeControl"]["input"]["gpio"].isNull()) {
if (src["cascadeControl"]["input"]["gpio"].is<JsonString>() && src["cascadeControl"]["input"]["gpio"].as<JsonString>().size() == 0) {
if (dst.cascadeControl.input.gpio != GPIO_IS_NOT_CONFIGURED) {
dst.cascadeControl.input.gpio = GPIO_IS_NOT_CONFIGURED;
changed = true;
}
} else {
unsigned char value = src["cascadeControl"]["input"]["gpio"].as<unsigned char>();
if (GPIO_IS_VALID(value) && value != dst.cascadeControl.input.gpio) {
dst.cascadeControl.input.gpio = value;
changed = true;
}
}
}
if (src["cascadeControl"]["input"]["invertState"].is<bool>()) {
bool value = src["cascadeControl"]["input"]["invertState"].as<bool>();
if (value != dst.cascadeControl.input.invertState) {
dst.cascadeControl.input.invertState = value;
changed = true;
}
}
if (!src["cascadeControl"]["input"]["thresholdTime"].isNull()) {
unsigned short value = src["cascadeControl"]["input"]["thresholdTime"].as<unsigned short>();
if (value >= 5 && value <= 600) {
if (value != dst.cascadeControl.input.thresholdTime) {
dst.cascadeControl.input.thresholdTime = value;
changed = true;
}
}
}
if (src["cascadeControl"]["output"]["enable"].is<bool>()) {
bool value = src["cascadeControl"]["output"]["enable"].as<bool>();
if (value != dst.cascadeControl.output.enable) {
dst.cascadeControl.output.enable = value;
changed = true;
}
}
if (!src["cascadeControl"]["output"]["gpio"].isNull()) {
if (src["cascadeControl"]["output"]["gpio"].is<JsonString>() && src["cascadeControl"]["output"]["gpio"].as<JsonString>().size() == 0) {
if (dst.cascadeControl.output.gpio != GPIO_IS_NOT_CONFIGURED) {
dst.cascadeControl.output.gpio = GPIO_IS_NOT_CONFIGURED;
changed = true;
}
} else {
unsigned char value = src["cascadeControl"]["output"]["gpio"].as<unsigned char>();
if (GPIO_IS_VALID(value) && value != dst.cascadeControl.output.gpio) {
dst.cascadeControl.output.gpio = value;
changed = true;
}
}
}
if (src["cascadeControl"]["output"]["invertState"].is<bool>()) {
bool value = src["cascadeControl"]["output"]["invertState"].as<bool>();
if (value != dst.cascadeControl.output.invertState) {
dst.cascadeControl.output.invertState = value;
changed = true;
}
}
if (!src["cascadeControl"]["output"]["thresholdTime"].isNull()) {
unsigned short value = src["cascadeControl"]["output"]["thresholdTime"].as<unsigned short>();
if (value >= 5 && value <= 600) {
if (value != dst.cascadeControl.output.thresholdTime) {
dst.cascadeControl.output.thresholdTime = value;
changed = true;
}
}
}
if (src["cascadeControl"]["output"]["onFault"].is<bool>()) {
bool value = src["cascadeControl"]["output"]["onFault"].as<bool>();
if (value != dst.cascadeControl.output.onFault) {
dst.cascadeControl.output.onFault = value;
changed = true;
}
}
if (src["cascadeControl"]["output"]["onLossConnection"].is<bool>()) {
bool value = src["cascadeControl"]["output"]["onLossConnection"].as<bool>();
if (value != dst.cascadeControl.output.onLossConnection) {
dst.cascadeControl.output.onLossConnection = value;
changed = true;
}
}
if (src["cascadeControl"]["output"]["onEnabledHeating"].is<bool>()) {
bool value = src["cascadeControl"]["output"]["onEnabledHeating"].as<bool>();
if (value != dst.cascadeControl.output.onEnabledHeating) {
dst.cascadeControl.output.onEnabledHeating = value;
changed = true;
}
}
} }
// force check emergency target // force check emergency target
@@ -1546,6 +1688,7 @@ void varsToJson(const Variables& src, JsonVariant dst) {
dst["sensors"]["modulation"] = roundd(src.sensors.modulation, 2); dst["sensors"]["modulation"] = roundd(src.sensors.modulation, 2);
dst["sensors"]["pressure"] = roundd(src.sensors.pressure, 2); dst["sensors"]["pressure"] = roundd(src.sensors.pressure, 2);
dst["sensors"]["dhwFlowRate"] = roundd(src.sensors.dhwFlowRate, 2); dst["sensors"]["dhwFlowRate"] = roundd(src.sensors.dhwFlowRate, 2);
dst["sensors"]["power"] = roundd(src.sensors.power, 2);
dst["sensors"]["faultCode"] = src.sensors.faultCode; dst["sensors"]["faultCode"] = src.sensors.faultCode;
dst["sensors"]["diagnosticCode"] = src.sensors.diagnosticCode; dst["sensors"]["diagnosticCode"] = src.sensors.diagnosticCode;
dst["sensors"]["rssi"] = src.sensors.rssi; dst["sensors"]["rssi"] = src.sensors.rssi;
@@ -1566,6 +1709,9 @@ void varsToJson(const Variables& src, JsonVariant dst) {
dst["temperatures"]["dhw"] = roundd(src.temperatures.dhw, 2); dst["temperatures"]["dhw"] = roundd(src.temperatures.dhw, 2);
dst["temperatures"]["exhaust"] = roundd(src.temperatures.exhaust, 2); dst["temperatures"]["exhaust"] = roundd(src.temperatures.exhaust, 2);
dst["cascadeControl"]["input"] = src.cascadeControl.input;
dst["cascadeControl"]["output"] = src.cascadeControl.output;
dst["parameters"]["heatingEnabled"] = src.parameters.heatingEnabled; dst["parameters"]["heatingEnabled"] = src.parameters.heatingEnabled;
dst["parameters"]["heatingMinTemp"] = src.parameters.heatingMinTemp; dst["parameters"]["heatingMinTemp"] = src.parameters.heatingMinTemp;
dst["parameters"]["heatingMaxTemp"] = src.parameters.heatingMaxTemp; dst["parameters"]["heatingMaxTemp"] = src.parameters.heatingMaxTemp;

View File

@@ -9,6 +9,13 @@
"releases": "Releases" "releases": "Releases"
}, },
"dbm": "dBm", "dbm": "dBm",
"kw": "kW",
"time": {
"days": "d.",
"hours": "h.",
"min": "min.",
"sec": "sec."
},
"button": { "button": {
"upgrade": "Upgrade", "upgrade": "Upgrade",
@@ -38,7 +45,8 @@
"title": "Build", "title": "Build",
"version": "Version", "version": "Version",
"date": "Date", "date": "Date",
"sdk": "Core/SDK" "core": "Core",
"sdk": "SDK"
}, },
"uptime": "Uptime", "uptime": "Uptime",
"memory": { "memory": {
@@ -93,12 +101,15 @@
"outdoorSensorHumidity": "Outdoor sensor humidity", "outdoorSensorHumidity": "Outdoor sensor humidity",
"outdoorSensorBattery": "Outdoor sensor battery", "outdoorSensorBattery": "Outdoor sensor battery",
"indoorSensorConnected": "Indoor sensor connected", "indoorSensorConnected": "Indoor sensor connected",
"cascadeControlInput": "Cascade control (input)",
"cascadeControlOutput": "Cascade control (output)",
"indoorSensorRssi": "Indoor sensor RSSI", "indoorSensorRssi": "Indoor sensor RSSI",
"indoorSensorHumidity": "Indoor sensor humidity", "indoorSensorHumidity": "Indoor sensor humidity",
"indoorSensorBattery": "Indoor sensor battery", "indoorSensorBattery": "Indoor sensor battery",
"modulation": "Modulation", "modulation": "Modulation",
"pressure": "Pressure", "pressure": "Pressure",
"dhwFlowRate": "DHW flow rate", "dhwFlowRate": "DHW flow rate",
"power": "Current power",
"faultCode": "Fault code", "faultCode": "Fault code",
"diagCode": "Diagnostic code", "diagCode": "Diagnostic code",
"indoorTemp": "Indoor temp", "indoorTemp": "Indoor temp",
@@ -161,16 +172,14 @@
"heating": "Heating settings", "heating": "Heating settings",
"dhw": "DHW settings", "dhw": "DHW settings",
"emergency": "Emergency mode settings", "emergency": "Emergency mode settings",
"emergency.events": "Events",
"emergency.regulators": "Using regulators",
"equitherm": "Equitherm settings", "equitherm": "Equitherm settings",
"pid": "PID settings", "pid": "PID settings",
"ot": "OpenTherm settings", "ot": "OpenTherm settings",
"ot.options": "Options",
"mqtt": "MQTT settings", "mqtt": "MQTT settings",
"outdorSensor": "Outdoor sensor settings", "outdorSensor": "Outdoor sensor settings",
"indoorSensor": "Indoor sensor settings", "indoorSensor": "Indoor sensor settings",
"extPump": "External pump settings" "extPump": "External pump settings",
"cascadeControl": "Cascade control settings"
}, },
"enable": "Enable", "enable": "Enable",
@@ -196,13 +205,10 @@
"metric": "Metric <small>(celsius, liters, bar)</small>", "metric": "Metric <small>(celsius, liters, bar)</small>",
"imperial": "Imperial <small>(fahrenheit, gallons, psi)</small>", "imperial": "Imperial <small>(fahrenheit, gallons, psi)</small>",
"statusLedGpio": "Status LED GPIO", "statusLedGpio": "Status LED GPIO",
"debug": "Debug mode", "logLevel": "Log level",
"serial": { "serial": {
"enable": "Enable Serial port", "enable": "Enable Serial port",
"baud": { "baud": "Serial port baud rate"
"title": "Serial port baud rate",
"note": "Available: 9600, 19200, 38400, 57600, 74880, 115200"
}
}, },
"telnet": { "telnet": {
"enable": "Enable Telnet", "enable": "Enable Telnet",
@@ -214,8 +220,7 @@
}, },
"heating": { "heating": {
"hyst": "Hysteresis <small>(in degrees)</small>", "hyst": "Hysteresis <small>(in degrees)</small>"
"maxMod": "Max modulation level"
}, },
"emergency": { "emergency": {
@@ -228,6 +233,7 @@
"treshold": "Treshold time <small>(sec)</small>", "treshold": "Treshold time <small>(sec)</small>",
"events": { "events": {
"desc": "Events",
"network": "On network fault", "network": "On network fault",
"mqtt": "On MQTT fault", "mqtt": "On MQTT fault",
"indoorSensorDisconnect": "On loss connection with indoor sensor", "indoorSensorDisconnect": "On loss connection with indoor sensor",
@@ -235,6 +241,7 @@
}, },
"regulators": { "regulators": {
"desc": "Using regulators",
"equitherm": "Equitherm <small>(requires at least an external (DS18B20) or boiler <u>outdoor</u> sensor)</small>", "equitherm": "Equitherm <small>(requires at least an external (DS18B20) or boiler <u>outdoor</u> sensor)</small>",
"pid": "PID <small>(requires at least an external (DS18B20) <u>indoor</u> sensor)</small>" "pid": "PID <small>(requires at least an external (DS18B20) <u>indoor</u> sensor)</small>"
} }
@@ -257,10 +264,12 @@
}, },
"ot": { "ot": {
"advanced": "Advanced Settings",
"inGpio": "In GPIO", "inGpio": "In GPIO",
"outGpio": "Out GPIO", "outGpio": "Out GPIO",
"ledGpio": "RX LED GPIO", "ledGpio": "RX LED GPIO",
"memberIdCode": "Master MemberID code", "memberIdCode": "Master MemberID code",
"maxMod": "Max modulation level",
"pressureFactor": { "pressureFactor": {
"title": "Coeff. pressure correction", "title": "Coeff. pressure correction",
"note": "If the pressure displayed is <b>X10</b> from the real one, set the <b>0.1</b>." "note": "If the pressure displayed is <b>X10</b> from the real one, set the <b>0.1</b>."
@@ -269,8 +278,16 @@
"title": "Coeff. DHW flow rate correction", "title": "Coeff. DHW flow rate correction",
"note": "If the DHW flow rate displayed is <b>X10</b> from the real one, set the <b>0.1</b>." "note": "If the DHW flow rate displayed is <b>X10</b> from the real one, set the <b>0.1</b>."
}, },
"minPower": {
"title": "Min boiler power <small>(kW)</small>",
"note": "This value is at 0-1% boiler modulation level. Typically found in the boiler specification as \"minimum useful heat output\"."
},
"maxPower": {
"title": "Max boiler power <small>(kW)</small>",
"note": "<b>0</b> - try detect automatically. Typically found in the boiler specification as \"maximum useful heat output\"."
},
"fnv": { "fnv": {
"title": "Filtering numeric values", "desc": "Filtering numeric values",
"enable": { "enable": {
"title": "Enable filtering", "title": "Enable filtering",
"note": "It can be useful if there is a lot of sharp noise on the charts. The filter used is \"Running Average\"." "note": "It can be useful if there is a lot of sharp noise on the charts. The filter used is \"Running Average\"."
@@ -282,6 +299,7 @@
}, },
"options": { "options": {
"desc": "Options",
"dhwPresent": "DHW present", "dhwPresent": "DHW present",
"summerWinterMode": "Summer/winter mode", "summerWinterMode": "Summer/winter mode",
"heatingCh2Enabled": "Heating CH2 always enabled", "heatingCh2Enabled": "Heating CH2 always enabled",
@@ -293,12 +311,6 @@
"immergasFix": "Fix for Immergas boilers" "immergasFix": "Fix for Immergas boilers"
}, },
"faultState": {
"gpio": "Fault state GPIO",
"note": "Can be useful to switch on another boiler <u>via relay</u>. Blank - not use.",
"invert": "Invert fault state"
},
"nativeHeating": { "nativeHeating": {
"title": "Native heating control (boiler)", "title": "Native heating control (boiler)",
"note": "Works <u>ONLY</u> if the boiler requires the desired room temperature and regulates the temperature of the coolant itself. Not compatible with PID and Equitherm regulators and hysteresis in firmware." "note": "Works <u>ONLY</u> if the boiler requires the desired room temperature and regulates the temperature of the coolant itself. Not compatible with PID and Equitherm regulators and hysteresis in firmware."
@@ -334,6 +346,29 @@
"postCirculationTime": "Post circulation time <small>(min)</small>", "postCirculationTime": "Post circulation time <small>(min)</small>",
"antiStuckInterval": "Anti stuck interval <small>(days)</small>", "antiStuckInterval": "Anti stuck interval <small>(days)</small>",
"antiStuckTime": "Anti stuck time <small>(min)</small>" "antiStuckTime": "Anti stuck time <small>(min)</small>"
},
"cascadeControl": {
"input": {
"desc": "Can be used to turn on the heating only if another boiler is faulty. The other boiler controller must change the state of the GPIO input in the event of a fault.",
"enable": "Enable input",
"gpio": "GPIO",
"invertState": "Invert GPIO state",
"thresholdTime": "State change threshold time <small>(sec)</small>"
},
"output": {
"desc": "Can be used to switch on another boiler <u>via relay</u>.",
"enable": "Enable output",
"gpio": "GPIO",
"invertState": "Invert GPIO state",
"thresholdTime": "State change threshold time <small>(sec)</small>",
"events": {
"desc": "Events",
"onFault": "If the fault state is active",
"onLossConnection": "If the connection via Opentherm is lost",
"onEnabledHeating": "If heating is enabled"
}
}
} }
}, },

View File

@@ -9,6 +9,13 @@
"releases": "Релизы" "releases": "Релизы"
}, },
"dbm": "дБм", "dbm": "дБм",
"kw": "кВт",
"time": {
"days": "д.",
"hours": "ч.",
"min": "мин.",
"sec": "сек."
},
"button": { "button": {
"upgrade": "Обновить", "upgrade": "Обновить",
@@ -38,7 +45,8 @@
"title": "Билд", "title": "Билд",
"version": "Версия", "version": "Версия",
"date": "Дата", "date": "Дата",
"sdk": "Ядро/SDK" "core": "Ядро",
"sdk": "SDK"
}, },
"uptime": "Аптайм", "uptime": "Аптайм",
"memory": { "memory": {
@@ -93,12 +101,15 @@
"outdoorSensorHumidity": "Влажность с наруж. датчика темп.", "outdoorSensorHumidity": "Влажность с наруж. датчика темп.",
"outdoorSensorBattery": "Заряд наруж. датчика темп.", "outdoorSensorBattery": "Заряд наруж. датчика темп.",
"indoorSensorConnected": "Датчик внутр. темп.", "indoorSensorConnected": "Датчик внутр. темп.",
"cascadeControlInput": "Каскадное управление (вход)",
"cascadeControlOutput": "Каскадное управление (выход)",
"indoorSensorRssi": "RSSI датчика внутр. темп.", "indoorSensorRssi": "RSSI датчика внутр. темп.",
"indoorSensorHumidity": "Влажность с внутр. датчика темп.", "indoorSensorHumidity": "Влажность с внутр. датчика темп.",
"indoorSensorBattery": "Заряд внутр. датчика темп.", "indoorSensorBattery": "Заряд внутр. датчика темп.",
"modulation": "Уровень модуляции", "modulation": "Уровень модуляции",
"pressure": "Давление", "pressure": "Давление",
"dhwFlowRate": "Расход ГВС", "dhwFlowRate": "Расход ГВС",
"power": "Текущая мощность",
"faultCode": "Код ошибки", "faultCode": "Код ошибки",
"diagCode": "Диагностический код", "diagCode": "Диагностический код",
"indoorTemp": "Внутренняя темп.", "indoorTemp": "Внутренняя темп.",
@@ -161,16 +172,14 @@
"heating": "Настройки отопления", "heating": "Настройки отопления",
"dhw": "Настройки ГВС", "dhw": "Настройки ГВС",
"emergency": "Настройки аварийного режима", "emergency": "Настройки аварийного режима",
"emergency.events": "События",
"emergency.regulators": "Используемые регуляторы",
"equitherm": "Настройки ПЗА", "equitherm": "Настройки ПЗА",
"pid": "Настройки ПИД", "pid": "Настройки ПИД",
"ot": "Настройки OpenTherm", "ot": "Настройки OpenTherm",
"ot.options": "Опции",
"mqtt": "Настройки MQTT", "mqtt": "Настройки MQTT",
"outdorSensor": "Настройки наружного датчика температуры", "outdorSensor": "Настройки наружного датчика температуры",
"indoorSensor": "Настройки внутреннего датчика температуры", "indoorSensor": "Настройки внутреннего датчика температуры",
"extPump": "Настройки дополнительного насоса" "extPump": "Настройки дополнительного насоса",
"cascadeControl": "Настройки каскадного управления"
}, },
"enable": "Вкл", "enable": "Вкл",
@@ -196,13 +205,10 @@
"metric": "Метрическая <small>(цильсии, литры, бары)</small>", "metric": "Метрическая <small>(цильсии, литры, бары)</small>",
"imperial": "Imperial <small>(фаренгейты, галлоны, psi)</small>", "imperial": "Imperial <small>(фаренгейты, галлоны, psi)</small>",
"statusLedGpio": "Статус LED GPIO", "statusLedGpio": "Статус LED GPIO",
"debug": "Отладка", "logLevel": "Уровень логирования",
"serial": { "serial": {
"enable": "Вкл. Serial порт", "enable": "Вкл. Serial порт",
"baud": { "baud": "Скорость Serial порта"
"title": "Скорость Serial порта",
"note": "Доступно: 9600, 19200, 38400, 57600, 74880, 115200"
}
}, },
"telnet": { "telnet": {
"enable": "Вкл. Telnet", "enable": "Вкл. Telnet",
@@ -214,8 +220,7 @@
}, },
"heating": { "heating": {
"hyst": "Гистерезис <small>(в градусах)</small>", "hyst": "Гистерезис <small>(в градусах)</small>"
"maxMod": "Макс. уровень модуляции"
}, },
"emergency": { "emergency": {
@@ -228,6 +233,7 @@
"treshold": "Пороговое время включения <small>(сек)</small>", "treshold": "Пороговое время включения <small>(сек)</small>",
"events": { "events": {
"desc": "События",
"network": "При отключении сети", "network": "При отключении сети",
"mqtt": "При отключении MQTT", "mqtt": "При отключении MQTT",
"indoorSensorDisconnect": "При потере связи с датчиком внутренней темп.", "indoorSensorDisconnect": "При потере связи с датчиком внутренней темп.",
@@ -235,6 +241,7 @@
}, },
"regulators": { "regulators": {
"desc": "Используемые регуляторы",
"equitherm": "ПЗА <small>(требуется внешний (DS18B20) или подключенный к котлу датчик <u>наружной</u> температуры)</small>", "equitherm": "ПЗА <small>(требуется внешний (DS18B20) или подключенный к котлу датчик <u>наружной</u> температуры)</small>",
"pid": "ПИД <small>(требуется внешний (DS18B20) датчик <u>внутренней</u> температуры)</small>" "pid": "ПИД <small>(требуется внешний (DS18B20) датчик <u>внутренней</u> температуры)</small>"
} }
@@ -257,10 +264,12 @@
}, },
"ot": { "ot": {
"advanced": "Дополнительные настройки",
"inGpio": "Вход GPIO", "inGpio": "Вход GPIO",
"outGpio": "Выход GPIO", "outGpio": "Выход GPIO",
"ledGpio": "RX LED GPIO", "ledGpio": "RX LED GPIO",
"memberIdCode": "Master MemberID код", "memberIdCode": "Master MemberID код",
"maxMod": "Макс. уровень модуляции",
"pressureFactor": { "pressureFactor": {
"title": "Коэфф. коррекции давления", "title": "Коэфф. коррекции давления",
"note": "Если давление отображается <b>Х10</b> от реального, установите значение <b>0.1</b>." "note": "Если давление отображается <b>Х10</b> от реального, установите значение <b>0.1</b>."
@@ -269,8 +278,16 @@
"title": "Коэфф. коррекции потока ГВС", "title": "Коэфф. коррекции потока ГВС",
"note": "Если поток ГВС отображается <b>Х10</b> от реального, установите значение <b>0.1</b>." "note": "Если поток ГВС отображается <b>Х10</b> от реального, установите значение <b>0.1</b>."
}, },
"minPower": {
"title": "Мин. мощность котла <small>(кВт)</small>",
"note": "Это значение соответствует уровню модуляции котла 01%. Обычно можно найти в спецификации котла как \"минимальная полезная тепловая мощность\"."
},
"maxPower": {
"title": "Макс. мощность котла <small>(кВт)</small>",
"note": "<b>0</b> - попробовать определить автоматически. Обычно можно найти в спецификации котла как \"максимальная полезная тепловая мощность\"."
},
"fnv": { "fnv": {
"title": "Фильтрация числовых значений", "desc": "Фильтрация числовых значений",
"enable": { "enable": {
"title": "Включить фильтрацию", "title": "Включить фильтрацию",
"note": "Может быть полезно, если на графиках много резкого шума. В качестве фильтра используется \"бегущее среднее\"." "note": "Может быть полезно, если на графиках много резкого шума. В качестве фильтра используется \"бегущее среднее\"."
@@ -282,6 +299,7 @@
}, },
"options": { "options": {
"desc": "Опции",
"dhwPresent": "Контур ГВС", "dhwPresent": "Контур ГВС",
"summerWinterMode": "Летний/зимний режим", "summerWinterMode": "Летний/зимний режим",
"heatingCh2Enabled": "Канал 2 отопления всегда вкл.", "heatingCh2Enabled": "Канал 2 отопления всегда вкл.",
@@ -293,12 +311,6 @@
"immergasFix": "Фикс для котлов Immergas" "immergasFix": "Фикс для котлов Immergas"
}, },
"faultState": {
"gpio": "Fault state GPIO",
"note": "Can be useful to switch on another boiler <u>via relay</u>. Blank - not use.",
"invert": "Invert fault state"
},
"nativeHeating": { "nativeHeating": {
"title": "Передать управление отоплением котлу", "title": "Передать управление отоплением котлу",
"note": "Работает <u>ТОЛЬКО</u> если котел требует и принимает целевую температуру в помещении и сам регулирует температуру теплоносителя на основе встроенного режима кривых. Несовместимо с ПИД, ПЗА и гистерезисом." "note": "Работает <u>ТОЛЬКО</u> если котел требует и принимает целевую температуру в помещении и сам регулирует температуру теплоносителя на основе встроенного режима кривых. Несовместимо с ПИД, ПЗА и гистерезисом."
@@ -334,6 +346,29 @@
"postCirculationTime": "Время постциркуляции <small>(в минутах)</small>", "postCirculationTime": "Время постциркуляции <small>(в минутах)</small>",
"antiStuckInterval": "Интервал защиты от блокировки <small>(в днях)</small>", "antiStuckInterval": "Интервал защиты от блокировки <small>(в днях)</small>",
"antiStuckTime": "Время работы насоса <small>(в минутах)</small>" "antiStuckTime": "Время работы насоса <small>(в минутах)</small>"
},
"cascadeControl": {
"input": {
"desc": "Может использоваться для включения отопления только при неисправности другого котла. Контроллер другого котла должен изменить состояние входа GPIO в случае неисправности.",
"enable": "Включить вход",
"gpio": "GPIO",
"invertState": "Инвертировать состояние GPIO",
"thresholdTime": "Пороговое время изменения состояния <small>(сек)</small>"
},
"output": {
"desc": "Может использоваться для включения другого котла <u>через реле</u>.",
"enable": "Включить выход",
"gpio": "GPIO",
"invertState": "Инвертировать состояние GPIO",
"thresholdTime": "Пороговое время изменения состояния <small>(сек)</small>",
"events": {
"title": "События",
"onFault": "Если состояние fault (ошибки) активно",
"onLossConnection": "Если соединение по OpenTherm потеряно",
"onEnabledHeating": "Если отопление включено"
}
}
} }
}, },

View File

@@ -134,6 +134,14 @@
<th scope="row" data-i18n>dashboard.state.indoorSensorConnected</th> <th scope="row" data-i18n>dashboard.state.indoorSensorConnected</th>
<td><input type="radio" id="indoor-sensor-connected" aria-invalid="false" checked disabled /></td> <td><input type="radio" id="indoor-sensor-connected" aria-invalid="false" checked disabled /></td>
</tr> </tr>
<tr>
<th scope="row" data-i18n>dashboard.state.cascadeControlInput</th>
<td><input type="radio" id="cc-input" aria-invalid="false" checked disabled /></td>
</tr>
<tr>
<th scope="row" data-i18n>dashboard.state.cascadeControlOutput</th>
<td><input type="radio" id="cc-output" aria-invalid="false" checked disabled /></td>
</tr>
<tr> <tr>
<th scope="row" data-i18n>dashboard.state.indoorSensorRssi</th> <th scope="row" data-i18n>dashboard.state.indoorSensorRssi</th>
<td><b id="indoor-sensor-rssi"></b> <span data-i18n>dbm</span></td> <td><b id="indoor-sensor-rssi"></b> <span data-i18n>dbm</span></td>
@@ -158,6 +166,10 @@
<th scope="row" data-i18n>dashboard.state.dhwFlowRate</th> <th scope="row" data-i18n>dashboard.state.dhwFlowRate</th>
<td><b id="ot-dhw-flow-rate"></b> <span class="volume-unit"></span>/min</td> <td><b id="ot-dhw-flow-rate"></b> <span class="volume-unit"></span>/min</td>
</tr> </tr>
<tr>
<th scope="row" data-i18n>dashboard.state.power</th>
<td><b id="ot-power"></b> <span data-i18n>kw</span></td>
</tr>
<tr> <tr>
<th scope="row" data-i18n>dashboard.state.faultCode</th> <th scope="row" data-i18n>dashboard.state.faultCode</th>
<td><b id="ot-fault-code"></b></td> <td><b id="ot-fault-code"></b></td>
@@ -423,6 +435,8 @@
setState('#ot-external-pump', result.states.externalPump); setState('#ot-external-pump', result.states.externalPump);
setState('#outdoor-sensor-connected', result.sensors.outdoor.connected); setState('#outdoor-sensor-connected', result.sensors.outdoor.connected);
setState('#indoor-sensor-connected', result.sensors.indoor.connected); setState('#indoor-sensor-connected', result.sensors.indoor.connected);
setState('#cc-input', result.cascadeControl.input);
setState('#cc-output', result.cascadeControl.output);
setValue('#outdoor-sensor-rssi', result.sensors.outdoor.rssi); setValue('#outdoor-sensor-rssi', result.sensors.outdoor.rssi);
setValue('#outdoor-sensor-humidity', result.sensors.outdoor.humidity); setValue('#outdoor-sensor-humidity', result.sensors.outdoor.humidity);
@@ -434,6 +448,7 @@
setValue('#ot-modulation', result.sensors.modulation); setValue('#ot-modulation', result.sensors.modulation);
setValue('#ot-pressure', result.sensors.pressure); setValue('#ot-pressure', result.sensors.pressure);
setValue('#ot-dhw-flow-rate', result.sensors.dhwFlowRate); setValue('#ot-dhw-flow-rate', result.sensors.dhwFlowRate);
setValue('#ot-power', result.sensors.power);
setValue( setValue(
'#ot-fault-code', '#ot-fault-code',
result.sensors.faultCode result.sensors.faultCode

View File

@@ -101,36 +101,40 @@
<td> <td>
Env: <b id="build-env"></b><br /> Env: <b id="build-env"></b><br />
<span data-i18n>index.system.build.date</span>: <b id="build-date"></b><br /> <span data-i18n>index.system.build.date</span>: <b id="build-date"></b><br />
<span data-i18n>index.system.build.sdk</span>: <b id="core-version"></b> <span data-i18n>index.system.build.core</span>: <b id="build-core"></b><br />
<span data-i18n>index.system.build.sdk</span>: <b id="build-sdk"></b>
</td> </td>
</tr> </tr>
<tr> <tr>
<th scope="row" data-i18n>index.system.uptime</th> <th scope="row" data-i18n>index.system.uptime</th>
<td> <td>
<b id="uptime-days"></b> days, <b id="uptime-days"></b> <span data-i18n>time.days</span>,
<b id="uptime-hours"></b> hours, <b id="uptime-hours"></b> <span data-i18n>time.hours</span>,
<b id="uptime-min"></b> min., <b id="uptime-min"></b> <span data-i18n>time.min</span>,
<b id="uptime-sec"></b> sec. <b id="uptime-sec"></b> <span data-i18n>time.sec</span>
</td> </td>
</tr> </tr>
<tr> <tr>
<th scope="row" data-i18n>index.system.memory.title</th> <th scope="row" data-i18n>index.system.memory.title</th>
<td> <td>
<b id="free-heap"></b> of <b id="total-heap"></b> bytes (<span data-i18n>index.system.memory.min</span>: <b id="min-free-heap"></b> bytes)<br /> <b id="heap-free"></b> of <b id="heap-total"></b> bytes (<span data-i18n>index.system.memory.min</span>: <b id="heap-min-free"></b> bytes)<br />
<span data-i18n>index.system.memory.maxFreeBlock</span>: <b id="max-free-block-heap"></b> bytes (<span data-i18n>index.system.memory.min</span>: <b id="min-max-free-block-heap"></b> bytes) <span data-i18n>index.system.memory.maxFreeBlock</span>: <b id="heap-max-free-block"></b> bytes (<span data-i18n>index.system.memory.min</span>: <b id="heap-min-max-free-block"></b> bytes)
</td> </td>
</tr> </tr>
<tr> <tr>
<th scope="row" data-i18n>index.system.board</th> <th scope="row" data-i18n>index.system.board</th>
<td> <td>
<span data-i18n>index.system.chip.model</span>: <b id="chip-model"></b> (rev. <span id="chip-revision"></span>)<br /> <span data-i18n>index.system.chip.model</span>: <b id="chip-model"></b> (rev. <span id="chip-rev"></span>)<br />
<span data-i18n>index.system.chip.cores</span>: <b id="chip-cores"></b>, <span data-i18n>index.system.chip.freq</span>: <b id="cpu-freq"></b> mHz<br /> <span data-i18n>index.system.chip.cores</span>: <b id="chip-cores"></b>, <span data-i18n>index.system.chip.freq</span>: <b id="chip-freq"></b> mHz<br />
<span data-i18n>index.system.flash.size</span>: <b id="flash-size"></b> MB (<span data-i18n>index.system.flash.realSize</span>: <b id="flash-real-size"></b> MB) <span data-i18n>index.system.flash.size</span>: <b id="flash-size"></b> MB (<span data-i18n>index.system.flash.realSize</span>: <b id="flash-real-size"></b> MB)
</td> </td>
</tr> </tr>
<tr> <tr>
<th scope="row" data-i18n>index.system.lastResetReason</th> <th scope="row" data-i18n>index.system.lastResetReason</th>
<td><b id="reset-reason"></b></td> <td>
<b id="reset-reason"></b><br />
<a href="/api/debug" target="_blank"><small>Save debug data</small></a>
</td>
</tr> </tr>
</tbody> </tbody>
</table> </table>
@@ -170,6 +174,13 @@
} }
const result = await response.json(); const result = await response.json();
setValue('#reset-reason', result.system.resetReason);
setValue('#uptime', result.system.uptime);
setValue('#uptime-days', Math.floor(result.system.uptime / 86400));
setValue('#uptime-hours', Math.floor(result.system.uptime % 86400 / 3600));
setValue('#uptime-min', Math.floor(result.system.uptime % 3600 / 60));
setValue('#uptime-sec', Math.floor(result.system.uptime % 60));
setValue('#network-hostname', result.network.hostname); setValue('#network-hostname', result.network.hostname);
setValue('#network-mac', result.network.mac); setValue('#network-mac', result.network.mac);
setState('#network-connected', result.network.connected); setState('#network-connected', result.network.connected);
@@ -181,28 +192,24 @@
setValue('#network-dns', result.network.dns); setValue('#network-dns', result.network.dns);
setBusy('#main-busy', '#main-table', false); setBusy('#main-busy', '#main-table', false);
setValue('#build-version', result.system.buildVersion); setValue('#build-version', result.build.version);
setValue('#build-date', result.system.buildDate); setValue('#build-date', result.build.date);
setValue('#build-env', result.system.buildEnv); setValue('#build-env', result.build.env);
setValue('#uptime', result.system.uptime); setValue('#build-core', result.build.core);
setValue('#uptime-days', Math.floor(result.system.uptime / 86400)); setValue('#build-sdk', result.build.sdk);
setValue('#uptime-hours', Math.floor(result.system.uptime % 86400 / 3600));
setValue('#uptime-min', Math.floor(result.system.uptime % 3600 / 60));
setValue('#uptime-sec', Math.floor(result.system.uptime % 60));
setValue('#total-heap', result.system.totalHeap);
setValue('#free-heap', result.system.freeHeap);
setValue('#min-free-heap', result.system.minFreeHeap);
setValue('#max-free-block-heap', result.system.maxFreeBlockHeap);
setValue('#min-max-free-block-heap', result.system.minMaxFreeBlockHeap);
setValue('#reset-reason', result.system.resetReason);
setValue('#chip-model', result.system.chipModel); setValue('#heap-total', result.heap.total);
setValue('#chip-revision', result.system.chipRevision); setValue('#heap-free', result.heap.free);
setValue('#chip-cores', result.system.chipCores); setValue('#heap-min-free', result.heap.minFree);
setValue('#cpu-freq', result.system.cpuFreq); setValue('#heap-max-free-block', result.heap.maxFreeBlock);
setValue('#core-version', result.system.coreVersion); setValue('#heap-min-max-free-block', result.heap.minMaxFreeBlock);
setValue('#flash-size', result.system.flashSize / 1024 / 1024);
setValue('#flash-real-size', result.system.flashRealSize / 1024 / 1024); setValue('#chip-model', result.chip.model);
setValue('#chip-rev', result.chip.rev);
setValue('#chip-cores', result.chip.cores);
setValue('#chip-freq', result.chip.freq);
setValue('#flash-size', result.flash.size / 1024 / 1024);
setValue('#flash-real-size', result.flash.realSize / 1024 / 1024);
setBusy('#system-busy', '#system-table', false); setBusy('#system-busy', '#system-table', false);

View File

@@ -94,11 +94,6 @@
<fieldset> <fieldset>
<legend data-i18n>settings.section.diag</legend> <legend data-i18n>settings.section.diag</legend>
<label for="system-debug">
<input type="checkbox" id="system-debug" name="system[debug]" value="true">
<span data-i18n>settings.system.debug</span>
</label>
<label for="system-serial-enable"> <label for="system-serial-enable">
<input type="checkbox" id="system-serial-enable" name="system[serial][enable]" value="true"> <input type="checkbox" id="system-serial-enable" name="system[serial][enable]" value="true">
<span data-i18n>settings.system.serial.enable</span> <span data-i18n>settings.system.serial.enable</span>
@@ -109,11 +104,31 @@
<span data-i18n>settings.system.telnet.enable</span> <span data-i18n>settings.system.telnet.enable</span>
</label> </label>
<label for="system-log-level">
<span data-i18n>settings.system.logLevel</span>
<select id="system-log-level" name="system[logLevel]">
<option value="0">SILENT</option>
<option value="1">FATAL</option>
<option value="2">ERROR</option>
<option value="3">WARNING</option>
<option value="4">INFO</option>
<option value="5">NOTICE</option>
<option value="6">TRACE</option>
<option value="7">VERBOSE</option>
</select>
</label>
<div class="grid"> <div class="grid">
<label for="system-serial-baudrate"> <label for="system-serial-baudrate">
<span data-i18n>settings.system.serial.baud.title</span> <span data-i18n>settings.system.serial.baud</span>
<input type="number" inputmode="numeric" id="system-serial-baudrate" name="system[serial][baudrate]" min="9600" max="115200" step="1" required> <select id="system-serial-baudrate" name="system[serial][baudrate]" required>
<small data-i18n>settings.system.serial.baud.note</small> <option value="9600">9600</option>
<option value="19200">19200</option>
<option value="38400">38400</option>
<option value="57600">57600</option>
<option value="74880">74880</option>
<option value="115200">115200</option>
</select>
</label> </label>
<label for="system-telnet-port"> <label for="system-telnet-port">
@@ -151,17 +166,10 @@
</label> </label>
</div> </div>
<div class="grid"> <label for="heating-hysteresis">
<label for="heating-hysteresis"> <span data-i18n>settings.heating.hyst</span>
<span data-i18n>settings.heating.hyst</span> <input type="number" inputmode="numeric" id="heating-hysteresis" name="heating[hysteresis]" min="0" max="5" step="0.05" required>
<input type="number" inputmode="numeric" id="heating-hysteresis" name="heating[hysteresis]" min="0" max="5" step="0.05" required> </label>
</label>
<label for="heating-max-modulation">
<span data-i18n>settings.heating.maxMod</span>
<input type="number" inputmode="numeric" id="heating-max-modulation" name="heating[maxModulation]" min="1" max="100" step="1" required>
</label>
</div>
<button type="submit" data-i18n>button.save</button> <button type="submit" data-i18n>button.save</button>
</form> </form>
@@ -222,7 +230,7 @@
</div> </div>
<fieldset> <fieldset>
<legend data-i18n>settings.section.emergency.events</legend> <legend data-i18n>settings.emergency.events.desc</legend>
<label for="emergency-on-network-fault"> <label for="emergency-on-network-fault">
<input type="checkbox" id="emergency-on-network-fault" name="emergency[onNetworkFault]" value="true"> <input type="checkbox" id="emergency-on-network-fault" name="emergency[onNetworkFault]" value="true">
@@ -246,7 +254,7 @@
</fieldset> </fieldset>
<fieldset> <fieldset>
<legend data-i18n>settings.section.emergency.regulators</legend> <legend data-i18n>settings.emergency.regulators.desc</legend>
<label for="emergency-use-equitherm"> <label for="emergency-use-equitherm">
<input type="checkbox" id="emergency-use-equitherm" name="emergency[useEquitherm]" value="true"> <input type="checkbox" id="emergency-use-equitherm" name="emergency[useEquitherm]" value="true">
@@ -333,7 +341,7 @@
<label for="pid-dt"> <label for="pid-dt">
<span data-i18n>settings.pid.dt</span> <span data-i18n>settings.pid.dt</span>
<input type="number" inputmode="numeric" id="pid-dt" name="pid[dt]" min="30" max="600" step="1" required> <input type="number" inputmode="numeric" id="pid-dt" name="pid[dt]" min="30" max="1800" step="1" required>
</label> </label>
<hr /> <hr />
@@ -386,37 +394,43 @@
<span data-i18n>settings.ot.outGpio</span> <span data-i18n>settings.ot.outGpio</span>
<input type="number" inputmode="numeric" id="opentherm-out-gpio" name="opentherm[outGpio]" min="0" max="254" step="1"> <input type="number" inputmode="numeric" id="opentherm-out-gpio" name="opentherm[outGpio]" min="0" max="254" step="1">
</label> </label>
</div>
<div class="grid">
<label for="opentherm-rx-led-gpio"> <label for="opentherm-rx-led-gpio">
<span data-i18n>settings.ot.ledGpio</span> <span data-i18n>settings.ot.ledGpio</span>
<input type="number" inputmode="numeric" id="opentherm-rx-led-gpio" name="opentherm[rxLedGpio]" min="0" max="254" step="1"> <input type="number" inputmode="numeric" id="opentherm-rx-led-gpio" name="opentherm[rxLedGpio]" min="0" max="254" step="1">
<small data-i18n>settings.note.blankNotUse</small> <small data-i18n>settings.note.blankNotUse</small>
</label> </label>
</div>
<div class="grid">
<label for="opentherm-member-id-code"> <label for="opentherm-member-id-code">
<span data-i18n>settings.ot.memberIdCode</span> <span data-i18n>settings.ot.memberIdCode</span>
<input type="number" inputmode="numeric" id="opentherm-member-id-code" name="opentherm[memberIdCode]" min="0" max="65535" step="1" required> <input type="number" inputmode="numeric" id="opentherm-member-id-code" name="opentherm[memberIdCode]" min="0" max="65535" step="1" required>
</label> </label>
<label for="opentherm-max-modulation">
<span data-i18n>settings.ot.maxMod</span>
<input type="number" inputmode="numeric" id="opentherm-max-modulation" name="opentherm[maxModulation]" min="1" max="100" step="1" required>
</label>
</div> </div>
<div class="grid"> <div class="grid">
<label for="opentherm-pressure-factor"> <label for="opentherm-min-power">
<span data-i18n>settings.ot.pressureFactor.title</span> <span data-i18n>settings.ot.minPower.title</span>
<input type="number" inputmode="numeric" id="opentherm-pressure-factor" name="opentherm[pressureFactor]" min="0.1" max="100" step="0.01"> <input type="number" inputmode="numeric" id="opentherm-min-power" name="opentherm[minPower]" min="0" max="1000" step="0.1">
<small data-i18n>settings.ot.pressureFactor.note</small> <small data-i18n>settings.ot.minPower.note</small>
</label> </label>
<label for="opentherm-dhw-fr-factor"> <label for="opentherm-max-power">
<span data-i18n>settings.ot.dhwFlowRateFactor.title</span> <span data-i18n>settings.ot.maxPower.title</span>
<input type="number" inputmode="numeric" id="opentherm-dhw-fr-factor" name="opentherm[dhwFlowRateFactor]" min="0.1" max="100" step="0.01"> <input type="number" inputmode="numeric" id="opentherm-max-power" name="opentherm[maxPower]" min="0" max="1000" step="0.1">
<small data-i18n>settings.ot.dhwFlowRateFactor.note</small> <small data-i18n>settings.ot.maxPower.note</small>
</label> </label>
</div> </div>
<fieldset> <fieldset>
<legend data-i18n>settings.section.ot.options</legend> <legend data-i18n>settings.ot.options.desc</legend>
<label for="opentherm-dhw-present"> <label for="opentherm-dhw-present">
<input type="checkbox" id="opentherm-dhw-present" name="opentherm[dhwPresent]" value="true"> <input type="checkbox" id="opentherm-dhw-present" name="opentherm[dhwPresent]" value="true">
<span data-i18n>settings.ot.options.dhwPresent</span> <span data-i18n>settings.ot.options.dhwPresent</span>
@@ -462,40 +476,6 @@
<span data-i18n>settings.ot.options.immergasFix</span> <span data-i18n>settings.ot.options.immergasFix</span>
</label> </label>
<hr />
<fieldset>
<legend>
<span data-i18n>settings.ot.fnv.title</span>
</legend>
<label for="opentherm-fnv-enable">
<input type="checkbox" id="opentherm-fnv-enable" name="opentherm[filterNumValues][enable]" value="true">
<span data-i18n>settings.ot.fnv.enable.title</span>
<br>
<small data-i18n>settings.ot.fnv.enable.note</small>
</label>
<label for="opentherm-fnv-factor">
<span data-i18n>settings.ot.fnv.factor.title</span>
<input type="number" inputmode="numeric" id="opentherm-fnv-factor" name="opentherm[filterNumValues][factor]" min="0.01" max="1" step="0.01">
<small data-i18n>settings.ot.fnv.factor.note</small>
</label>
</fieldset>
<hr />
<fieldset>
<label for="opentherm-fault-state-gpio">
<span data-i18n>settings.ot.faultState.gpio</span>
<input type="number" inputmode="numeric" id="opentherm-fault-state-gpio" name="opentherm[faultStateGpio]" min="0" max="254" step="1">
<small data-i18n>settings.ot.faultState.note</small>
</label>
<label for="opentherm-invert-fault-state">
<input type="checkbox" id="opentherm-invert-fault-state" name="opentherm[invertFaultState]" value="true">
<span data-i18n>settings.ot.faultState.invert</span>
</label>
</fieldset>
<hr /> <hr />
<label for="opentherm-native-heating-control"> <label for="opentherm-native-heating-control">
<input type="checkbox" id="opentherm-native-heating-control" name="opentherm[nativeHeatingControl]" value="true"> <input type="checkbox" id="opentherm-native-heating-control" name="opentherm[nativeHeatingControl]" value="true">
@@ -503,6 +483,44 @@
<small data-i18n>settings.ot.nativeHeating.note</small> <small data-i18n>settings.ot.nativeHeating.note</small>
</label> </label>
</fieldset> </fieldset>
<hr />
<details>
<summary role="button" class="secondary" data-i18n>settings.ot.advanced</summary>
<div>
<div class="grid">
<label for="opentherm-pressure-factor">
<span data-i18n>settings.ot.pressureFactor.title</span>
<input type="number" inputmode="numeric" id="opentherm-pressure-factor" name="opentherm[pressureFactor]" min="0.1" max="100" step="0.01">
<small data-i18n>settings.ot.pressureFactor.note</small>
</label>
<label for="opentherm-dhw-fr-factor">
<span data-i18n>settings.ot.dhwFlowRateFactor.title</span>
<input type="number" inputmode="numeric" id="opentherm-dhw-fr-factor" name="opentherm[dhwFlowRateFactor]" min="0.1" max="100" step="0.01">
<small data-i18n>settings.ot.dhwFlowRateFactor.note</small>
</label>
</div>
<hr />
<fieldset>
<legend data-i18n>settings.ot.fnv.desc</legend>
<label for="opentherm-fnv-enable">
<input type="checkbox" id="opentherm-fnv-enable" name="opentherm[filterNumValues][enable]" value="true">
<span data-i18n>settings.ot.fnv.enable.title</span>
<br>
<small data-i18n>settings.ot.fnv.enable.note</small>
</label>
<label for="opentherm-fnv-factor">
<span data-i18n>settings.ot.fnv.factor.title</span>
<input type="number" inputmode="numeric" id="opentherm-fnv-factor" name="opentherm[filterNumValues][factor]" min="0.01" max="1" step="0.01">
<small data-i18n>settings.ot.fnv.factor.note</small>
</label>
</fieldset>
</div>
</details>
<button type="submit" data-i18n>button.save</button> <button type="submit" data-i18n>button.save</button>
</form> </form>
@@ -720,6 +738,91 @@
</form> </form>
</div> </div>
</details> </details>
<hr />
<details>
<summary><b data-i18n>settings.section.cascadeControl</b></summary>
<div>
<div id="cc-settings-busy" aria-busy="true"></div>
<form action="/api/settings" id="cc-settings" class="hidden">
<fieldset>
<label for="cc-input-enable">
<input type="checkbox" id="cc-input-enable" name="cascadeControl[input][enable]" value="true">
<span data-i18n>settings.cascadeControl.input.enable</span>
<br>
<small data-i18n>settings.cascadeControl.input.desc</small>
</label>
<label for="cc-input-invert-state">
<input type="checkbox" id="cc-input-invert-state" name="cascadeControl[input][invertState]" value="true">
<span data-i18n>settings.cascadeControl.input.invertState</span>
</label>
</fieldset>
<div class="grid">
<label for="cc-input-gpio">
<span data-i18n>settings.cascadeControl.input.gpio</span>
<input type="number" inputmode="numeric" id="cc-input-gpio" name="cascadeControl[input][gpio]" min="0" max="254" step="1">
</label>
<label for="cc-input-tt">
<span data-i18n>settings.cascadeControl.input.thresholdTime</span>
<input type="number" inputmode="numeric" id="cc-input-tt" name="cascadeControl[input][thresholdTime]" min="5" max="600" step="1" required>
</label>
</div>
<hr />
<fieldset>
<label for="cc-output-enable">
<input type="checkbox" id="cc-output-enable" name="cascadeControl[output][enable]" value="true">
<span data-i18n>settings.cascadeControl.output.enable</span>
<br>
<small data-i18n>settings.cascadeControl.output.desc</small>
</label>
<label for="cc-output-invert-state">
<input type="checkbox" id="cc-output-invert-state" name="cascadeControl[output][invertState]" value="true">
<span data-i18n>settings.cascadeControl.output.invertState</span>
</label>
</fieldset>
<div class="grid">
<label for="cc-output-gpio">
<span data-i18n>settings.cascadeControl.output.gpio</span>
<input type="number" outputmode="numeric" id="cc-output-gpio" name="cascadeControl[output][gpio]" min="0" max="254" step="1">
</label>
<label for="cc-output-tt">
<span data-i18n>settings.cascadeControl.output.thresholdTime</span>
<input type="number" outputmode="numeric" id="cc-output-tt" name="cascadeControl[output][thresholdTime]" min="5" max="600" step="1" required>
</label>
</div>
<fieldset>
<legend data-i18n>settings.cascadeControl.output.events.desc</legend>
<label for="cc-on-fault">
<input type="checkbox" id="cc-on-fault" name="cascadeControl[output][onFault]" value="true">
<span data-i18n>settings.cascadeControl.output.events.onFault</span>
</label>
<label for="cc-on-loss-conn">
<input type="checkbox" id="cc-on-loss-conn" name="cascadeControl[output][onLossConnection]" value="true">
<span data-i18n>settings.cascadeControl.output.events.onLossConnection</span>
</label>
<label for="cc-on-enabled-heating">
<input type="checkbox" id="cc-on-enabled-heating" name="cascadeControl[output][onEnabledHeating]" value="true">
<span data-i18n>settings.cascadeControl.output.events.onEnabledHeating</span>
</label>
</fieldset>
<button type="submit" data-i18n>button.save</button>
</form>
</div>
</details>
</article> </article>
</main> </main>
@@ -743,9 +846,9 @@
const fillData = (data) => { const fillData = (data) => {
// System // System
setCheckboxValue('#system-debug', data.system.debug); setSelectValue('#system-log-level', data.system.logLevel);
setCheckboxValue('#system-serial-enable', data.system.serial.enable); setCheckboxValue('#system-serial-enable', data.system.serial.enable);
setInputValue('#system-serial-baudrate', data.system.serial.baudrate); setSelectValue('#system-serial-baudrate', data.system.serial.baudrate);
setCheckboxValue('#system-telnet-enable', data.system.telnet.enable); setCheckboxValue('#system-telnet-enable', data.system.telnet.enable);
setInputValue('#system-telnet-port', data.system.telnet.port); setInputValue('#system-telnet-port', data.system.telnet.port);
setRadioValue('.system-unit-system', data.system.unitSystem); setRadioValue('.system-unit-system', data.system.unitSystem);
@@ -763,11 +866,12 @@
setInputValue('#opentherm-in-gpio', data.opentherm.inGpio < 255 ? data.opentherm.inGpio : ''); setInputValue('#opentherm-in-gpio', data.opentherm.inGpio < 255 ? data.opentherm.inGpio : '');
setInputValue('#opentherm-out-gpio', data.opentherm.outGpio < 255 ? data.opentherm.outGpio : ''); setInputValue('#opentherm-out-gpio', data.opentherm.outGpio < 255 ? data.opentherm.outGpio : '');
setInputValue('#opentherm-rx-led-gpio', data.opentherm.rxLedGpio < 255 ? data.opentherm.rxLedGpio : ''); setInputValue('#opentherm-rx-led-gpio', data.opentherm.rxLedGpio < 255 ? data.opentherm.rxLedGpio : '');
setInputValue('#opentherm-fault-state-gpio', data.opentherm.faultStateGpio < 255 ? data.opentherm.faultStateGpio : '');
setCheckboxValue('#opentherm-invert-fault-state', data.opentherm.invertFaultState);
setInputValue('#opentherm-member-id-code', data.opentherm.memberIdCode); setInputValue('#opentherm-member-id-code', data.opentherm.memberIdCode);
setInputValue('#opentherm-max-modulation', data.opentherm.maxModulation);
setInputValue('#opentherm-pressure-factor', data.opentherm.pressureFactor); setInputValue('#opentherm-pressure-factor', data.opentherm.pressureFactor);
setInputValue('#opentherm-dhw-fr-factor', data.opentherm.dhwFlowRateFactor); setInputValue('#opentherm-dhw-fr-factor', data.opentherm.dhwFlowRateFactor);
setInputValue('#opentherm-min-power', data.opentherm.minPower);
setInputValue('#opentherm-max-power', data.opentherm.maxPower);
setCheckboxValue('#opentherm-dhw-present', data.opentherm.dhwPresent); setCheckboxValue('#opentherm-dhw-present', data.opentherm.dhwPresent);
setCheckboxValue('#opentherm-sw-mode', data.opentherm.summerWinterMode); setCheckboxValue('#opentherm-sw-mode', data.opentherm.summerWinterMode);
setCheckboxValue('#opentherm-heating-ch2-enabled', data.opentherm.heatingCh2Enabled); setCheckboxValue('#opentherm-heating-ch2-enabled', data.opentherm.heatingCh2Enabled);
@@ -815,6 +919,21 @@
setInputValue('#extpump-as-time', data.externalPump.antiStuckTime); setInputValue('#extpump-as-time', data.externalPump.antiStuckTime);
setBusy('#extpump-settings-busy', '#extpump-settings', false); setBusy('#extpump-settings-busy', '#extpump-settings', false);
// Cascade control
setCheckboxValue('#cc-input-enable', data.cascadeControl.input.enable);
setInputValue('#cc-input-gpio', data.cascadeControl.input.gpio < 255 ? data.cascadeControl.input.gpio : '');
setCheckboxValue('#cc-input-invert-state', data.cascadeControl.input.invertState);
setInputValue('#cc-input-tt', data.cascadeControl.input.thresholdTime);
setCheckboxValue('#cc-output-enable', data.cascadeControl.output.enable);
setInputValue('#cc-output-gpio', data.cascadeControl.output.gpio < 255 ? data.cascadeControl.output.gpio : '');
setCheckboxValue('#cc-output-invert-state', data.cascadeControl.output.invertState);
setInputValue('#cc-output-tt', data.cascadeControl.output.thresholdTime);
setCheckboxValue('#cc-on-fault', data.cascadeControl.output.onFault);
setCheckboxValue('#cc-on-loss-conn', data.cascadeControl.output.onLossConnection);
setCheckboxValue('#cc-on-enabled-heating', data.cascadeControl.output.onEnabledHeating);
setBusy('#cc-settings-busy', '#cc-settings', false);
// Heating // Heating
setInputValue('#heating-min-temp', data.heating.minTemp, { setInputValue('#heating-min-temp', data.heating.minTemp, {
"min": data.system.unitSystem == 0 ? 0 : 32, "min": data.system.unitSystem == 0 ? 0 : 32,
@@ -825,7 +944,6 @@
"max": data.system.unitSystem == 0 ? 100 : 212 "max": data.system.unitSystem == 0 ? 100 : 212
}); });
setInputValue('#heating-hysteresis', data.heating.hysteresis); setInputValue('#heating-hysteresis', data.heating.hysteresis);
setInputValue('#heating-max-modulation', data.heating.maxModulation);
setBusy('#heating-settings-busy', '#heating-settings', false); setBusy('#heating-settings-busy', '#heating-settings', false);
// DHW // DHW
@@ -899,6 +1017,7 @@
setupForm('#outdoor-sensor-settings', fillData); setupForm('#outdoor-sensor-settings', fillData);
setupForm('#indoor-sensor-settings', fillData, ['sensors.indoor.bleAddress']); setupForm('#indoor-sensor-settings', fillData, ['sensors.indoor.bleAddress']);
setupForm('#extpump-settings', fillData); setupForm('#extpump-settings', fillData);
setupForm('#cc-settings', fillData);
} catch (error) { } catch (error) {
console.log(error); console.log(error);

View File

@@ -539,6 +539,17 @@ function setInputValue(selector, value, attrs = {}) {
} }
} }
function setSelectValue(selector, value) {
let item = document.querySelector(selector);
if (!item) {
return;
}
for (let option of item.options) {
option.selected = option.value == value;
}
}
function show(selector) { function show(selector) {
let items = document.querySelectorAll(selector); let items = document.querySelectorAll(selector);
if (!items.length) { if (!items.length) {

View File

@@ -6,10 +6,11 @@ Import("env")
def post_build(source, target, env): def post_build(source, target, env):
copy_to_build_dir({ copy_to_build_dir({
source[0].get_abspath(): "firmware_%s_%s.bin" % (env["PIOENV"], env.GetProjectOption("version")), source[0].get_abspath(): "firmware_%s_%s.bin" % (env["PIOENV"], env.GetProjectOption("version")),
env.subst("$BUILD_DIR/${PROGNAME}.factory.bin"): "firmware_%s_%s.factory.bin" % (env["PIOENV"], env.GetProjectOption("version")), env.subst("$BUILD_DIR/${PROGNAME}.factory.bin"): "firmware_%s_%s.factory.bin" % (env["PIOENV"], env.GetProjectOption("version")),
env.subst("$BUILD_DIR/${PROGNAME}.elf"): "firmware_%s_%s.elf" % (env["PIOENV"], env.GetProjectOption("version"))
}, os.path.join(env["PROJECT_DIR"], "build")); }, os.path.join(env["PROJECT_DIR"], "build"));
env.Execute("pio run --target buildfs --environment %s" % env["PIOENV"]); env.Execute("pio run --target buildfs --environment %s" % env["PIOENV"]);