PlantCtrl/rust/src/main.rs

1118 lines
36 KiB
Rust
Raw Normal View History

use std::{
fmt::Display,
sync::{atomic::AtomicBool, Arc, Mutex},
};
2023-12-04 00:41:29 +01:00
use anyhow::Result;
use chrono::{DateTime, Datelike, TimeDelta, Timelike, Utc};
2024-01-09 00:16:13 +01:00
use chrono_tz::{Europe::Berlin, Tz};
2024-02-21 15:36:26 +01:00
use config::Mode;
2023-11-23 22:50:17 +01:00
use esp_idf_hal::delay::Delay;
2024-02-02 21:35:04 +01:00
use esp_idf_sys::{
2024-04-22 13:03:42 +02:00
esp_deep_sleep, esp_ota_get_app_partition_count, esp_ota_get_running_partition,
esp_ota_get_state_partition, esp_ota_img_states_t, esp_ota_img_states_t_ESP_OTA_IMG_ABORTED,
esp_ota_img_states_t_ESP_OTA_IMG_INVALID, esp_ota_img_states_t_ESP_OTA_IMG_NEW,
esp_ota_img_states_t_ESP_OTA_IMG_PENDING_VERIFY, esp_ota_img_states_t_ESP_OTA_IMG_UNDEFINED,
esp_ota_img_states_t_ESP_OTA_IMG_VALID, esp_restart, vTaskDelay, CONFIG_FREERTOS_HZ,
2024-02-02 21:35:04 +01:00
};
2024-01-07 14:33:02 +01:00
use log::error;
use once_cell::sync::Lazy;
2023-12-12 03:46:53 +01:00
use plant_hal::{CreatePlantHal, PlantCtrlBoard, PlantCtrlBoardInteraction, PlantHal, PLANT_COUNT};
2024-01-07 14:33:02 +01:00
use serde::{Deserialize, Serialize};
2023-12-12 03:46:53 +01:00
2024-01-07 14:33:02 +01:00
use crate::{
config::{Config, WifiConfig},
2024-02-21 15:36:26 +01:00
espota::{mark_app_valid, rollback_and_reboot},
2024-01-07 14:33:02 +01:00
webserver::webserver::{httpd, httpd_initial},
};
2023-11-29 18:27:40 +01:00
mod config;
2024-02-15 23:00:05 +01:00
pub mod espota;
2023-12-07 02:33:17 +01:00
pub mod plant_hal;
2024-01-07 14:33:02 +01:00
const MOIST_SENSOR_MAX_FREQUENCY: u32 = 5200; // 60kHz (500Hz margin)
const MOIST_SENSOR_MIN_FREQUENCY: u32 = 500; // 0.5kHz (500Hz margin)
const FROM: (f32, f32) = (
MOIST_SENSOR_MIN_FREQUENCY as f32,
MOIST_SENSOR_MAX_FREQUENCY as f32,
);
const TO: (f32, f32) = (0_f32, 100_f32);
2024-02-15 23:00:05 +01:00
pub static BOARD_ACCESS: Lazy<Mutex<PlantCtrlBoard>> = Lazy::new(|| PlantHal::create().unwrap());
pub static STAY_ALIVE: Lazy<AtomicBool> = Lazy::new(|| AtomicBool::new(false));
2023-11-23 22:50:17 +01:00
mod webserver {
pub mod webserver;
}
2023-11-20 01:46:19 +01:00
#[derive(Serialize, Deserialize, Debug, PartialEq)]
2023-12-12 03:46:53 +01:00
enum OnlineMode {
Offline,
Wifi,
SnTp,
2024-02-15 23:00:05 +01:00
Online,
2023-12-12 03:46:53 +01:00
}
#[derive(Serialize, Deserialize, Debug, PartialEq)]
2024-01-07 14:33:02 +01:00
enum WaitType {
2023-12-22 01:35:08 +01:00
InitialConfig,
2023-12-27 17:33:11 +01:00
FlashError,
2024-01-07 14:33:02 +01:00
NormalConfig,
StayAlive,
2023-12-22 01:35:08 +01:00
}
#[derive(Serialize, Deserialize, Debug, PartialEq, Default)]
2024-02-02 21:35:04 +01:00
struct LightState {
2024-01-17 21:25:01 +01:00
active: bool,
out_of_work_hour: bool,
battery_low: bool,
2024-02-02 21:35:04 +01:00
is_day: bool,
2024-01-17 21:25:01 +01:00
}
#[derive(Debug, PartialEq, Default)]
2024-01-07 14:33:02 +01:00
struct PlantState {
2024-01-09 00:16:13 +01:00
a: Option<u8>,
b: Option<u8>,
p: Option<u8>,
consecutive_pump_count: u32,
2024-01-09 00:16:13 +01:00
after_p: Option<u8>,
do_water: bool,
2024-01-07 14:33:02 +01:00
dry: bool,
active: bool,
pump_error: bool,
not_effective: bool,
cooldown: bool,
no_water: bool,
2024-02-15 23:00:05 +01:00
sensor_error_a: Option<SensorError>,
sensor_error_b: Option<SensorError>,
sensor_error_p: Option<SensorError>,
2024-02-02 21:35:04 +01:00
out_of_work_hour: bool,
2024-02-21 15:36:26 +01:00
next_pump: Option<DateTime<Tz>>,
2024-01-07 14:33:02 +01:00
}
#[derive(Serialize, Deserialize, Debug, PartialEq)]
2024-02-15 23:00:05 +01:00
enum SensorError {
Unknown,
ShortCircuit { hz: f32, max: f32 },
OpenCircuit { hz: f32, min: f32 },
2024-01-09 00:16:13 +01:00
}
#[derive(Debug, PartialEq, Default)]
2024-02-15 23:00:05 +01:00
struct TankState {
2024-02-02 21:35:04 +01:00
enough_water: bool,
2024-06-08 21:13:26 +02:00
warn_level: bool,
2024-02-15 23:00:05 +01:00
left_ml: u32,
sensor_error: bool,
raw: u16,
2024-01-07 14:33:02 +01:00
}
2024-06-10 21:37:58 +02:00
#[derive(Serialize)]
struct TankStateMQTT {
enough_water: bool,
warn_level: bool,
left_ml: u32,
sensor_error: bool,
raw: u16,
water_frozen: String,
2024-06-10 21:37:58 +02:00
}
#[derive(Serialize)]
struct PlantStateMQTT<'a> {
a: &'a str,
b: &'a str,
p_start: &'a str,
p_end: &'a str,
mode: &'a str,
consecutive_pump_count: u32,
dry: bool,
active: bool,
pump_error: bool,
not_effective: bool,
cooldown: bool,
out_of_work_hour: bool,
last_pump: &'a str,
next_pump: &'a str,
}
#[derive(Serialize)]
struct BatteryState<'a> {
voltage_milli_volt: &'a str,
current_milli_ampere: &'a str,
cycle_count: &'a str,
design_milli_ampere: &'a str,
remaining_milli_ampere: &'a str,
state_of_charge: &'a str,
state_of_health: &'a str,
}
2023-12-27 17:33:11 +01:00
2024-02-15 23:00:05 +01:00
fn safe_main() -> anyhow::Result<()> {
2023-11-20 01:46:19 +01:00
// It is necessary to call this function once. Otherwise some patches to the runtime
// implemented by esp-idf-sys might not link properly. See https://github.com/esp-rs/esp-idf-template/issues/71
esp_idf_svc::sys::link_patches();
// Bind the log crate to the ESP Logging facilities
esp_idf_svc::log::EspLogger::initialize_default();
2024-03-02 13:21:12 +01:00
if esp_idf_sys::CONFIG_MAIN_TASK_STACK_SIZE < 25000 {
2024-01-07 14:33:02 +01:00
error!(
"stack too small: {} bail!",
esp_idf_sys::CONFIG_MAIN_TASK_STACK_SIZE
);
return Ok(());
}
2023-11-23 22:50:17 +01:00
log::info!("Startup Rust");
2023-11-20 01:46:19 +01:00
2023-11-27 01:07:07 +01:00
let git_hash = env!("VERGEN_GIT_DESCRIBE");
2024-02-21 15:36:26 +01:00
let build_timestamp = env!("VERGEN_BUILD_TIMESTAMP");
println!(
"Version useing git has {} build on {}",
git_hash, build_timestamp
);
let count = unsafe { esp_ota_get_app_partition_count() };
2024-06-08 21:13:26 +02:00
println!("Partit ion count is {}", count);
2024-02-21 15:36:26 +01:00
let mut ota_state: esp_ota_img_states_t = 0;
let running_partition = unsafe { esp_ota_get_running_partition() };
2024-04-22 13:03:42 +02:00
let address = unsafe { (*running_partition).address };
2024-02-21 15:36:26 +01:00
println!("Partition address is {}", address);
2024-04-22 13:03:42 +02:00
2024-02-21 15:36:26 +01:00
let ota_state_string = unsafe {
esp_ota_get_state_partition(running_partition, &mut ota_state);
if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_NEW {
format!("Partition state is {}", "ESP_OTA_IMG_NEW")
} else if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_PENDING_VERIFY {
format!("Partition state is {}", "ESP_OTA_IMG_PENDING_VERIFY")
} else if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_VALID {
format!("Partition state is {}", "ESP_OTA_IMG_VALID")
} else if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_INVALID {
format!("Partition state is {}", "ESP_OTA_IMG_INVALID")
} else if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_ABORTED {
format!("Partition state is {}", "ESP_OTA_IMG_ABORTED")
} else if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_UNDEFINED {
format!("Partition state is {}", "ESP_OTA_IMG_UNDEFINED")
} else {
format!("Partition state is {}", ota_state)
2024-02-02 21:35:04 +01:00
}
2024-02-21 15:36:26 +01:00
};
println!("{}", ota_state_string);
2024-01-07 14:33:02 +01:00
2023-12-12 03:46:53 +01:00
println!("Board hal init");
2024-01-07 14:33:02 +01:00
let mut board: std::sync::MutexGuard<'_, PlantCtrlBoard<'_>> = BOARD_ACCESS.lock().unwrap();
2024-06-08 21:13:26 +02:00
board.general_fault(false);
2023-12-12 03:46:53 +01:00
println!("Mounting filesystem");
2024-01-07 14:33:02 +01:00
board.mount_file_system()?;
let free_space = board.file_system_size()?;
2023-12-12 03:46:53 +01:00
println!(
"Mounted, total space {} used {} free {}",
free_space.total_size, free_space.used_size, free_space.free_size
);
let time = board.time();
let mut cur = match time {
Ok(cur) => cur,
Err(err) => {
log::error!("time error {}", err);
2024-03-27 21:10:37 +01:00
DateTime::from_timestamp_millis(0).unwrap()
2023-12-12 03:46:53 +01:00
}
};
//check if we know the time current > 2020
if cur.year() < 2020 {
if board.is_day() {
//assume TZ safe times ;)
cur = *cur.with_hour(15).get_or_insert(cur);
} else {
cur = *cur.with_hour(3).get_or_insert(cur);
}
}
2023-12-07 02:33:17 +01:00
2023-12-12 03:46:53 +01:00
println!("cur is {}", cur);
if board.is_config_reset() {
2024-01-07 14:33:02 +01:00
board.general_fault(true);
2023-12-12 03:46:53 +01:00
println!("Reset config is pressed, waiting 5s");
2024-01-07 14:34:45 +01:00
for _i in 0..25 {
2024-01-07 14:33:02 +01:00
board.general_fault(true);
Delay::new_default().delay_ms(50);
board.general_fault(false);
Delay::new_default().delay_ms(50);
}
2023-12-12 03:46:53 +01:00
if board.is_config_reset() {
println!("Reset config is still pressed, deleting configs and reboot");
match board.remove_configs() {
2023-12-27 17:33:11 +01:00
Ok(case) => {
println!("Succeeded in deleting config {}", case);
2023-12-12 03:46:53 +01:00
}
Err(err) => {
println!("Could not remove config files, system borked {}", err);
//terminate main app and freeze
2023-12-27 17:33:11 +01:00
wait_infinity(WaitType::FlashError, Arc::new(AtomicBool::new(false)));
2023-12-12 03:46:53 +01:00
}
2023-12-07 02:33:17 +01:00
}
2024-01-07 14:33:02 +01:00
} else {
board.general_fault(false);
2023-11-21 23:45:15 +01:00
}
2023-12-12 03:46:53 +01:00
}
2023-11-20 01:46:19 +01:00
2023-12-12 03:46:53 +01:00
let mut online_mode = OnlineMode::Offline;
let wifi_conf = board.get_wifi();
let wifi: WifiConfig;
2024-01-07 14:33:02 +01:00
match wifi_conf {
2023-12-12 03:46:53 +01:00
Ok(conf) => {
wifi = conf;
2024-01-07 14:33:02 +01:00
}
2023-12-12 03:46:53 +01:00
Err(err) => {
2024-01-07 14:33:02 +01:00
if board.is_wifi_config_file_existant() {
2024-02-21 15:36:26 +01:00
if ota_state == esp_ota_img_states_t_ESP_OTA_IMG_PENDING_VERIFY {
println!("Config seem to be unparsable after upgrade, reverting");
rollback_and_reboot()?;
2024-01-07 14:33:02 +01:00
}
}
2023-12-12 03:46:53 +01:00
println!("Missing wifi config, entering initial config mode {}", err);
2023-12-22 01:35:08 +01:00
board.wifi_ap().unwrap();
2023-12-12 03:46:53 +01:00
//config upload will trigger reboot!
2023-12-22 01:35:08 +01:00
drop(board);
2023-12-27 17:33:11 +01:00
let reboot_now = Arc::new(AtomicBool::new(false));
let _webserver = httpd_initial(reboot_now.clone());
2023-12-27 17:33:11 +01:00
wait_infinity(WaitType::InitialConfig, reboot_now.clone());
2023-12-12 03:46:53 +01:00
}
2024-01-07 14:33:02 +01:00
};
2023-11-29 18:27:40 +01:00
2023-12-12 03:46:53 +01:00
println!("attempting to connect wifi");
2024-04-22 13:03:42 +02:00
let mut ip_address: Option<String> = None;
match board.wifi(wifi.ssid, wifi.password, 10000) {
Ok(ip_info) => {
2024-04-22 13:03:42 +02:00
ip_address = Some(ip_info.ip.to_string());
2023-12-12 03:46:53 +01:00
online_mode = OnlineMode::Wifi;
}
Err(_) => {
println!("Offline mode");
board.general_fault(true);
}
}
2023-12-07 02:33:17 +01:00
2023-12-12 03:46:53 +01:00
if online_mode == OnlineMode::Wifi {
2024-02-02 21:35:04 +01:00
match board.sntp(1000 * 5) {
2023-12-12 03:46:53 +01:00
Ok(new_time) => {
cur = new_time;
online_mode = OnlineMode::SnTp;
2024-01-07 14:33:02 +01:00
}
2023-12-07 02:33:17 +01:00
Err(err) => {
2023-12-12 03:46:53 +01:00
println!("sntp error: {}", err);
board.general_fault(true);
2023-12-07 02:33:17 +01:00
}
}
2023-11-29 18:27:40 +01:00
}
2023-12-12 03:46:53 +01:00
2024-01-09 00:16:13 +01:00
println!("Running logic at utc {}", cur);
let europe_time = cur.with_timezone(&Berlin);
println!("Running logic at europe/berlin {}", europe_time);
2024-01-07 14:33:02 +01:00
let config: Config;
match board.get_config() {
2023-12-27 17:33:11 +01:00
Ok(valid) => {
config = valid;
2024-01-07 14:33:02 +01:00
}
2023-12-27 17:33:11 +01:00
Err(err) => {
println!("Missing normal config, entering config mode {}", err);
//config upload will trigger reboot!
drop(board);
let reboot_now = Arc::new(AtomicBool::new(false));
let _webserver = httpd(reboot_now.clone());
wait_infinity(WaitType::NormalConfig, reboot_now.clone());
2024-01-07 14:33:02 +01:00
}
2023-12-27 17:33:11 +01:00
}
2024-01-07 14:33:02 +01:00
//do mqtt before config check, as mqtt might configure
2023-12-22 01:35:08 +01:00
if online_mode == OnlineMode::SnTp {
2024-01-07 14:33:02 +01:00
match board.mqtt(&config) {
Ok(_) => {
println!("Mqtt connection ready");
2024-02-15 23:00:05 +01:00
online_mode = OnlineMode::Online;
2024-01-07 14:33:02 +01:00
}
Err(err) => {
println!("Could not connect mqtt due to {}", err);
}
}
}
2024-02-15 23:00:05 +01:00
if online_mode == OnlineMode::Online {
match ip_address {
Some(add_some) => {
let _ = board.mqtt_publish(&config, "/firmware/address", add_some.as_bytes());
2024-04-22 13:03:42 +02:00
}
None => {
let _ = board.mqtt_publish(&config, "/firmware/address", "N/A?".as_bytes());
2024-04-22 13:03:42 +02:00
}
}
2024-02-15 23:00:05 +01:00
let _ = board.mqtt_publish(&config, "/firmware/githash", git_hash.as_bytes());
2024-02-21 15:36:26 +01:00
let _ = board.mqtt_publish(&config, "/firmware/buildtime", build_timestamp.as_bytes());
2024-04-22 13:03:42 +02:00
let _ = board.mqtt_publish(
&config,
"/firmware/last_online",
europe_time.to_rfc3339().as_bytes(),
);
2024-02-21 15:36:26 +01:00
let _ = board.mqtt_publish(&config, "/firmware/ota_state", ota_state_string.as_bytes());
2024-04-22 13:03:42 +02:00
let _ = board.mqtt_publish(
&config,
"/firmware/partition_address",
format!("{:#06x}", address).as_bytes(),
);
2024-02-15 23:00:05 +01:00
let _ = board.mqtt_publish(&config, "/state", "online".as_bytes());
2024-01-09 00:16:13 +01:00
2024-02-15 23:00:05 +01:00
publish_battery_state(&mut board, &config);
2023-11-21 23:45:15 +01:00
}
2024-01-07 14:33:02 +01:00
2024-02-15 23:00:05 +01:00
let tank_state = determine_tank_state(&mut board, &config);
let mut tank_state_mqtt = TankStateMQTT {
enough_water: tank_state.enough_water,
left_ml: tank_state.left_ml,
warn_level: tank_state.warn_level,
2024-06-10 21:37:58 +02:00
sensor_error: tank_state.sensor_error,
raw: tank_state.raw,
water_frozen: "".to_owned(),
2024-06-10 21:37:58 +02:00
};
2024-01-09 00:16:13 +01:00
let mut water_frozen = false;
2024-06-10 21:37:58 +02:00
2024-04-22 13:03:42 +02:00
let mut temp: Option<f32> = None;
2024-01-09 00:16:13 +01:00
for _attempt in 0..5 {
let water_temperature = board.water_temperature_c();
match water_temperature {
Ok(res) => {
temp = Some(res);
2024-01-09 00:16:13 +01:00
break;
2024-02-02 21:35:04 +01:00
}
2024-01-09 00:16:13 +01:00
Err(err) => {
println!("Could not get water temp {} attempt {}", err, _attempt)
2024-02-02 21:35:04 +01:00
}
2024-01-07 14:33:02 +01:00
}
}
match temp {
Some(res) => {
println!("Water temp is {}", res);
if res < 4_f32 {
water_frozen = true;
}
2024-06-10 21:37:58 +02:00
tank_state_mqtt.water_frozen = water_frozen.to_string();
2024-04-22 13:03:42 +02:00
}
None => tank_state_mqtt.water_frozen = "tank sensor error".to_owned(),
}
2024-06-10 21:37:58 +02:00
if online_mode == OnlineMode::Online {
match serde_json::to_string(&tank_state_mqtt) {
Ok(state) => {
let _ = board.mqtt_publish(&config, "/water", state.as_bytes());
}
Err(err) => {
println!("Error publishing tankstate {}", err);
}
};
}
let mut plantstate: [PlantState; PLANT_COUNT] = core::array::from_fn(|_| PlantState {
2024-01-09 00:16:13 +01:00
..Default::default()
});
2024-02-02 21:35:04 +01:00
let plant_to_pump = determine_next_plant(
&mut plantstate,
europe_time,
2024-02-15 23:00:05 +01:00
&tank_state,
2024-02-02 21:35:04 +01:00
water_frozen,
&config,
&mut board,
);
2024-01-07 14:33:02 +01:00
2024-05-01 21:00:49 +02:00
let stay_alive = STAY_ALIVE.load(std::sync::atomic::Ordering::Relaxed);
println!("Check stay alive, current state is {}", stay_alive);
2024-02-24 16:25:56 +01:00
let mut did_pump = false;
2024-01-09 00:16:13 +01:00
match plant_to_pump {
Some(plant) => {
let state = &mut plantstate[plant];
state.consecutive_pump_count = board.consecutive_pump_count(plant) + 1;
board.store_consecutive_pump_count(plant, state.consecutive_pump_count);
if state.consecutive_pump_count > config.max_consecutive_pump_count.into() {
state.not_effective = true;
board.fault(plant, true);
}
2024-01-07 14:33:02 +01:00
let plant_config = config.plants[plant];
if plant_config.sensor_p {
match map_range_moisture(
2024-02-21 15:36:26 +01:00
board.measure_moisture_hz(plant, plant_hal::Sensor::PUMP)? as f32,
) {
Ok(p) => state.p = Some(p),
Err(err) => {
board.fault(plant, true);
state.sensor_error_p = Some(err);
}
}
}
2024-02-02 21:35:04 +01:00
println!(
"Trying to pump for {}s with pump {} now",
plant_config.pump_time_s, plant
);
if !stay_alive {
did_pump = true;
board.any_pump(true)?;
board.store_last_pump_time(plant, cur);
board.pump(plant, true)?;
board.last_pump_time(plant);
state.active = true;
for _ in 0..plant_config.pump_time_s {
unsafe { vTaskDelay(CONFIG_FREERTOS_HZ) };
let p_live_topic = format!("/plant{} p live", plant + 1);
if plant_config.sensor_p {
let moist = map_range_moisture(
board.measure_moisture_hz(plant, plant_hal::Sensor::PUMP)? as f32,
);
if online_mode == OnlineMode::Online {
let _ = board.mqtt_publish(
&config,
&p_live_topic,
option_to_string(&moist.ok()).as_bytes(),
);
}
} else {
if online_mode == OnlineMode::Online {
let _ =
board.mqtt_publish(&config, &p_live_topic, "disabled".as_bytes());
}
}
}
board.pump(plant, false)?;
}
2024-02-21 15:36:26 +01:00
if plant_config.sensor_p {
match map_range_moisture(
2024-02-21 15:36:26 +01:00
board.measure_moisture_hz(plant, plant_hal::Sensor::PUMP)? as f32,
) {
Ok(p) => state.after_p = Some(p),
Err(err) => {
board.fault(plant, true);
state.sensor_error_p = Some(err);
}
}
if state.after_p.is_none()
|| state.p.is_none()
|| state.after_p.unwrap() < state.p.unwrap() + 5
{
state.pump_error = true;
2024-01-09 00:16:13 +01:00
board.fault(plant, true);
//mqtt sync pump error value
2024-01-09 00:16:13 +01:00
}
}
2024-02-02 21:35:04 +01:00
}
2024-01-09 00:16:13 +01:00
None => {
println!("Nothing to do");
2024-01-07 14:33:02 +01:00
}
2023-12-07 02:33:17 +01:00
}
if online_mode == OnlineMode::Online {
update_plant_state(&mut plantstate, &mut board, &config);
}
2024-02-02 21:35:04 +01:00
let mut light_state = LightState {
..Default::default()
};
2024-02-21 15:36:26 +01:00
let is_day = board.is_day();
light_state.is_day = is_day;
2024-02-02 21:35:04 +01:00
light_state.out_of_work_hour = !in_time_range(
&europe_time,
2024-02-02 21:35:04 +01:00
config.night_lamp_hour_start,
config.night_lamp_hour_end,
);
2024-02-15 23:00:05 +01:00
let state_of_charge = board.state_charge_percent().unwrap_or(0);
if state_of_charge < 30 {
board.set_low_voltage_in_cycle();
} else if state_of_charge > 50 {
board.clear_low_voltage_in_cycle();
}
light_state.battery_low = board.low_voltage_in_cycle();
2024-01-17 21:25:01 +01:00
if !light_state.out_of_work_hour {
if config.night_lamp_only_when_dark {
if !light_state.is_day {
2024-02-15 23:00:05 +01:00
if light_state.battery_low {
board.light(false).unwrap();
} else {
light_state.active = true;
board.light(true).unwrap();
}
}
} else {
if light_state.battery_low {
board.light(false).unwrap();
} else {
2024-02-02 21:35:04 +01:00
light_state.active = true;
2024-01-17 21:25:01 +01:00
board.light(true).unwrap();
}
}
} else {
2024-02-02 21:35:04 +01:00
light_state.active = false;
2024-01-17 21:25:01 +01:00
board.light(false).unwrap();
}
2024-02-15 23:00:05 +01:00
2024-01-17 21:25:01 +01:00
println!("Lightstate is {:?}", light_state);
2024-02-02 21:35:04 +01:00
2024-02-15 23:00:05 +01:00
if online_mode == OnlineMode::Online {
match serde_json::to_string(&light_state) {
Ok(state) => {
let _ = board.mqtt_publish(&config, "/light", state.as_bytes());
2024-02-15 23:00:05 +01:00
}
Err(err) => {
println!("Error publishing lightstate {}", err);
}
};
}
2024-02-02 21:35:04 +01:00
2024-02-21 15:36:26 +01:00
let deep_sleep_duration_minutes: u32 = if state_of_charge < 10 {
if online_mode == OnlineMode::Online {
2024-04-22 13:03:42 +02:00
let _ = board.mqtt_publish(&config, "/deepsleep", "low Volt 12h".as_bytes());
2024-02-21 15:36:26 +01:00
}
12 * 60
} else if is_day {
2024-02-24 16:25:56 +01:00
if did_pump {
if online_mode == OnlineMode::Online {
2024-04-22 13:03:42 +02:00
let _ = board.mqtt_publish(&config, "/deepsleep", "after pump".as_bytes());
2024-02-24 16:25:56 +01:00
}
0
} else {
if online_mode == OnlineMode::Online {
2024-04-22 13:03:42 +02:00
let _ = board.mqtt_publish(&config, "/deepsleep", "normal 20m".as_bytes());
2024-02-24 16:25:56 +01:00
}
20
2024-02-21 15:36:26 +01:00
}
} else {
if online_mode == OnlineMode::Online {
2024-04-22 13:03:42 +02:00
let _ = board.mqtt_publish(&config, "/deepsleep", "night 1h".as_bytes());
2024-02-21 15:36:26 +01:00
}
60
};
2024-03-02 13:21:12 +01:00
if online_mode == OnlineMode::Online {
let _ = board.mqtt_publish(&config, "/state", "sleep".as_bytes());
}
2024-02-15 23:00:05 +01:00
//determine next event
//is light out of work trigger soon?
//is battery low ??
//is deep sleep
2024-02-21 15:36:26 +01:00
mark_app_valid();
if stay_alive {
drop(board);
let reboot_now = Arc::new(AtomicBool::new(false));
let _webserver = httpd(reboot_now.clone());
wait_infinity(WaitType::StayAlive, reboot_now.clone());
}
2023-11-20 02:24:14 +01:00
unsafe { esp_deep_sleep(1000 * 1000 * 60 * deep_sleep_duration_minutes as u64) };
}
2024-02-15 23:00:05 +01:00
fn publish_battery_state(
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
config: &Config,
) {
let bat = BatteryState {
voltage_milli_volt: &to_string(&board.voltage_milli_volt()),
current_milli_ampere: &to_string(&board.average_current_milli_ampere()),
cycle_count: &to_string(&board.cycle_count()),
design_milli_ampere: &to_string(&board.design_milli_ampere_hour()),
remaining_milli_ampere: &to_string(&board.remaining_milli_ampere_hour()),
state_of_charge: &to_string(&board.state_charge_percent()),
state_of_health: &to_string(&board.state_health_percent()),
2024-02-15 23:00:05 +01:00
};
match serde_json::to_string(&bat) {
Ok(state) => {
2024-06-10 21:37:58 +02:00
let _ = board.mqtt_publish(&config, "/battery", state.as_bytes());
2024-02-15 23:00:05 +01:00
}
Err(err) => {
println!("Error publishing battery_state {}", err);
2024-02-15 23:00:05 +01:00
}
};
}
fn determine_tank_state(
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
config: &Config,
) -> TankState {
if config.tank_sensor_enabled {
let mut rv: TankState = TankState {
..Default::default()
};
let success = board
.tank_sensor_percent()
.and_then(|raw| {
rv.raw = raw;
return map_range(
(
config.tank_empty_percent as f32,
config.tank_full_percent as f32,
),
raw as f32,
);
})
.and_then(|percent| {
rv.left_ml = ((percent * config.tank_useable_ml as f32) / 100_f32) as u32;
2024-02-15 23:00:05 +01:00
println!(
"Tank sensor returned mv {} as {}% leaving {} ml useable",
rv.raw, percent as u8, rv.left_ml
);
if config.tank_warn_percent > percent as u8 {
board.general_fault(true);
println!(
"Low water, current percent is {}, minimum warn level is {}",
percent as u8, config.tank_warn_percent
);
2024-06-08 21:13:26 +02:00
rv.warn_level = true;
2024-02-15 23:00:05 +01:00
}
if config.tank_empty_percent < percent as u8 {
2024-02-15 23:00:05 +01:00
println!(
"Enough water, current percent is {}, minimum empty level is {}",
2024-02-15 23:00:05 +01:00
percent as u8, config.tank_empty_percent
);
rv.enough_water = true;
2024-02-15 23:00:05 +01:00
}
return Ok(());
});
match success {
Err(err) => {
println!("Could not determine tank value due to {}", err);
board.general_fault(true);
rv.sensor_error = true;
}
Ok(_) => {}
}
return rv;
}
return TankState {
warn_level: false,
2024-02-15 23:00:05 +01:00
enough_water: true,
left_ml: 1337,
sensor_error: false,
raw: 0,
};
}
fn determine_state_target_moisture_for_plant(
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
plant: usize,
state: &mut PlantState,
config: &Config,
tank_state: &TankState,
cur: DateTime<Tz>,
) {
let plant_config = &config.plants[plant];
if plant_config.mode == Mode::OFF {
return;
2024-02-15 23:00:05 +01:00
}
match board.measure_moisture_hz(plant, plant_hal::Sensor::A) {
Ok(a) => {
let mapped = map_range_moisture(a as f32);
match mapped {
Ok(result) => state.a = Some(result),
Err(err) => {
state.sensor_error_a = Some(err);
}
}
}
Err(_) => {
state.sensor_error_a = Some(SensorError::Unknown);
}
}
if plant_config.sensor_b {
match board.measure_moisture_hz(plant, plant_hal::Sensor::B) {
Ok(b) => {
let mapped = map_range_moisture(b as f32);
match mapped {
Ok(result) => state.b = Some(result),
Err(err) => {
state.sensor_error_b = Some(err);
}
2024-02-15 23:00:05 +01:00
}
}
Err(_) => {
state.sensor_error_b = Some(SensorError::Unknown);
}
2024-02-15 23:00:05 +01:00
}
}
2024-02-21 15:36:26 +01:00
2024-02-15 23:00:05 +01:00
//FIXME how to average analyze whatever?
let a_low = state.a.is_some() && state.a.unwrap() < plant_config.target_moisture;
let b_low = state.b.is_some() && state.b.unwrap() < plant_config.target_moisture;
if a_low || b_low {
state.dry = true;
2024-02-21 15:36:26 +01:00
if tank_state.sensor_error && !config.tank_allow_pumping_if_sensor_error {
//ignore is ok
2024-04-22 13:03:42 +02:00
} else if !tank_state.enough_water {
2024-02-15 23:00:05 +01:00
state.no_water = true;
}
}
2024-03-27 21:10:37 +01:00
let duration = TimeDelta::try_minutes(plant_config.pump_cooldown_min as i64).unwrap();
2024-04-22 13:03:42 +02:00
let last_pump = board.last_pump_time(plant);
match last_pump {
Some(last_pump) => {
let next_pump = last_pump + duration;
if next_pump > cur {
let europe_time = next_pump.with_timezone(&Berlin);
state.next_pump = Some(europe_time);
state.cooldown = true;
}
}
None => {
println!(
"Could not restore last pump for plant {}, restoring",
plant + 1
);
board.store_last_pump_time(plant, DateTime::from_timestamp_millis(0).unwrap());
state.pump_error = true;
}
2024-02-15 23:00:05 +01:00
}
2024-04-22 13:03:42 +02:00
2024-02-15 23:00:05 +01:00
if !in_time_range(
&cur,
2024-02-15 23:00:05 +01:00
plant_config.pump_hour_start,
plant_config.pump_hour_end,
) {
state.out_of_work_hour = true;
}
if state.dry && !state.no_water && !state.cooldown && !state.out_of_work_hour {
state.do_water = true;
2024-02-15 23:00:05 +01:00
}
}
2024-04-22 13:03:42 +02:00
fn determine_state_timer_only_for_plant(
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
plant: usize,
state: &mut PlantState,
config: &Config,
tank_state: &TankState,
cur: DateTime<Tz>,
) {
let plant_config = &config.plants[plant];
let duration = TimeDelta::try_minutes(plant_config.pump_cooldown_min as i64).unwrap();
let last_pump = board.last_pump_time(plant);
match last_pump {
Some(last_pump) => {
let next_pump = last_pump + duration;
if next_pump > cur {
let europe_time = next_pump.with_timezone(&Berlin);
state.next_pump = Some(europe_time);
state.cooldown = true;
} else {
if tank_state.sensor_error && !config.tank_allow_pumping_if_sensor_error {
state.do_water = true;
} else if !tank_state.enough_water {
state.no_water = true;
2024-04-22 13:03:42 +02:00
}
}
}
None => {
println!(
"Could not restore last pump for plant {}, restoring",
plant + 1
);
board.store_last_pump_time(plant, DateTime::from_timestamp_millis(0).unwrap());
state.pump_error = true;
}
}
}
fn determine_state_timer_and_deadzone_for_plant(
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
plant: usize,
state: &mut PlantState,
config: &Config,
tank_state: &TankState,
cur: DateTime<Tz>,
) {
let plant_config = &config.plants[plant];
let duration = TimeDelta::try_minutes(plant_config.pump_cooldown_min as i64).unwrap();
let last_pump = board.last_pump_time(plant);
match last_pump {
Some(last_pump) => {
let next_pump = last_pump + duration;
if next_pump > cur {
let europe_time = next_pump.with_timezone(&Berlin);
state.next_pump = Some(europe_time);
state.cooldown = true;
}
if !in_time_range(
&cur,
2024-04-22 13:03:42 +02:00
plant_config.pump_hour_start,
plant_config.pump_hour_end,
) {
state.out_of_work_hour = true;
}
if !state.cooldown && !state.out_of_work_hour {
if tank_state.sensor_error && !config.tank_allow_pumping_if_sensor_error {
state.do_water = true;
} else if !tank_state.enough_water {
state.no_water = true;
2024-04-22 13:03:42 +02:00
}
}
}
None => {
println!(
"Could not restore last pump for plant {}, restoring",
plant + 1
);
board.store_last_pump_time(plant, DateTime::from_timestamp_millis(0).unwrap());
state.pump_error = true;
}
}
}
2024-02-15 23:00:05 +01:00
fn determine_next_plant(
plantstate: &mut [PlantState; PLANT_COUNT],
cur: DateTime<Tz>,
tank_state: &TankState,
water_frozen: bool,
config: &Config,
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
) -> Option<usize> {
for plant in 0..PLANT_COUNT {
let state = &mut plantstate[plant];
let plant_config = &config.plants[plant];
match plant_config.mode {
config::Mode::OFF => {}
config::Mode::TargetMoisture => {
determine_state_target_moisture_for_plant(
board, plant, state, config, tank_state, cur,
2024-02-15 23:00:05 +01:00
);
}
config::Mode::TimerOnly => {
determine_state_timer_only_for_plant(board, plant, state, config, tank_state, cur);
2024-02-15 23:00:05 +01:00
}
config::Mode::TimerAndDeadzone => {
2024-04-22 13:03:42 +02:00
determine_state_timer_and_deadzone_for_plant(
board, plant, state, config, tank_state, cur,
2024-04-22 13:03:42 +02:00
);
2024-02-15 23:00:05 +01:00
}
}
if state.sensor_error_a.is_some()
|| state.sensor_error_b.is_some()
|| state.sensor_error_p.is_some()
{
board.fault(plant, true);
}
if !state.dry {
state.consecutive_pump_count = 0;
2024-02-15 23:00:05 +01:00
board.store_consecutive_pump_count(plant, 0);
}
println!("Plant {} state is {:?}", plant, state);
}
for plant in 0..PLANT_COUNT {
let state = &plantstate[plant];
println!(
"Checking for water plant {} with state {}",
plant, state.do_water
);
if !water_frozen {
if state.do_water {
return Some(plant);
}
}
}
println!("No plant needs water");
return None;
}
2024-02-21 15:36:26 +01:00
fn update_plant_state(
plantstate: &mut [PlantState; PLANT_COUNT],
board: &mut std::sync::MutexGuard<'_, PlantCtrlBoard<'_>>,
config: &Config,
) {
for plant in 0..PLANT_COUNT {
let state = &plantstate[plant];
let plant_config = config.plants[plant];
let mode = format!("{:?}", plant_config.mode);
let plant_dto = PlantStateMQTT {
p_start: &sensor_to_string(&state.p, &state.sensor_error_p, plant_config.sensor_p),
p_end: &sensor_to_string(&state.after_p, &state.sensor_error_p, plant_config.sensor_p),
a: &sensor_to_string(
&state.a,
&state.sensor_error_a,
plant_config.mode != Mode::OFF,
),
b: &sensor_to_string(&state.b, &state.sensor_error_b, plant_config.sensor_b),
active: state.active,
mode: &mode,
last_pump: &time_to_string_utc(board.last_pump_time(plant)),
next_pump: &time_to_string(state.next_pump),
consecutive_pump_count: state.consecutive_pump_count,
cooldown: state.cooldown,
dry: state.dry,
not_effective: state.not_effective,
out_of_work_hour: state.out_of_work_hour,
pump_error: state.pump_error,
};
2024-02-17 18:43:36 +01:00
match serde_json::to_string(&plant_dto) {
Ok(state) => {
let plant_topic = format!("/plant{}", plant + 1);
let _ = board.mqtt_publish(&config, &plant_topic, state.as_bytes());
//reduce speed as else messages will be dropped
Delay::new_default().delay_ms(200);
2024-04-22 13:03:42 +02:00
}
Err(err) => {
println!("Error publishing lightstate {}", err);
2024-04-22 13:03:42 +02:00
}
};
}
}
2024-02-15 23:00:05 +01:00
fn wait_infinity(wait_type: WaitType, reboot_now: Arc<AtomicBool>) -> ! {
let delay = match wait_type {
WaitType::InitialConfig => 250_u32,
WaitType::FlashError => 100_u32,
WaitType::NormalConfig => 500_u32,
WaitType::StayAlive => 1000_u32,
};
let led_count = match wait_type {
WaitType::InitialConfig => 8,
WaitType::FlashError => 8,
WaitType::NormalConfig => 4,
WaitType::StayAlive => 2,
};
loop {
unsafe {
//do not trigger watchdog
for i in 0..8 {
BOARD_ACCESS.lock().unwrap().fault(i, i < led_count);
}
BOARD_ACCESS.lock().unwrap().general_fault(true);
vTaskDelay(delay);
BOARD_ACCESS.lock().unwrap().general_fault(false);
for i in 0..8 {
BOARD_ACCESS.lock().unwrap().fault(i, false);
}
vTaskDelay(delay);
if wait_type == WaitType::StayAlive
&& !STAY_ALIVE.load(std::sync::atomic::Ordering::Relaxed)
{
reboot_now.store(true, std::sync::atomic::Ordering::Relaxed);
}
if reboot_now.load(std::sync::atomic::Ordering::Relaxed) {
println!("Rebooting");
esp_restart();
}
}
}
}
2024-02-02 21:35:04 +01:00
fn main() {
2024-01-17 21:25:01 +01:00
let result = safe_main();
2024-02-21 15:36:26 +01:00
match result {
Ok(_) => {
println!("Main app finished, restarting");
unsafe { esp_restart() };
2024-04-22 13:03:42 +02:00
}
2024-02-21 15:36:26 +01:00
Err(err) => {
println!("Failed main {}", err);
let rollback_successful = rollback_and_reboot();
println!("Failed to rollback :(");
rollback_successful.unwrap();
2024-04-22 13:03:42 +02:00
}
2024-02-21 15:36:26 +01:00
}
2024-01-17 21:25:01 +01:00
}
fn time_to_string_utc(value_option: Option<DateTime<Utc>>) -> String {
let converted = value_option.and_then(|utc| Some(utc.with_timezone(&Berlin)));
return time_to_string(converted);
}
fn time_to_string(value_option: Option<DateTime<Tz>>) -> String {
match value_option {
Some(value) => {
let europe_time = value.with_timezone(&Berlin);
if europe_time.year() > 2023 {
return europe_time.to_rfc3339();
} else {
//initial value of 0 in rtc memory
return "N/A".to_owned();
}
}
None => return "N/A".to_owned(),
};
}
fn sensor_to_string(value: &Option<u8>, error: &Option<SensorError>, enabled: bool) -> String {
if enabled {
match error {
Some(error) => return format!("{:?}", error),
None => match value {
Some(v) => return v.to_string(),
None => return "Error".to_owned(),
},
}
} else {
return "disabled".to_owned();
};
}
fn to_string<T: Display>(value: &Result<T>) -> String {
return match value {
Ok(v) => v.to_string(),
Err(err) => {
format!("{:?}", err)
}
};
}
fn map_range(from_range: (f32, f32), s: f32) -> anyhow::Result<f32> {
if s < from_range.0 {
anyhow::bail!(
"Value out of range, min {} but current is {}",
from_range.0,
s
);
}
if s > from_range.1 {
anyhow::bail!(
"Value out of range, max {} but current is {}",
from_range.1,
s
);
}
return Ok(TO.0 + (s - from_range.0) * (TO.1 - TO.0) / (from_range.1 - from_range.0));
}
fn map_range_moisture(s: f32) -> Result<u8, SensorError> {
if s < FROM.0 {
return Err(SensorError::OpenCircuit { hz: s, min: FROM.0 });
}
if s > FROM.1 {
return Err(SensorError::ShortCircuit { hz: s, max: FROM.1 });
}
let tmp = TO.0 + (s - FROM.0) * (TO.1 - TO.0) / (FROM.1 - FROM.0);
return Ok(tmp as u8);
}
fn in_time_range(cur: &DateTime<Tz>, start: u8, end: u8) -> bool {
let curhour = cur.hour() as u8;
//eg 10-14
if start < end {
return curhour > start && curhour < end;
} else {
//eg 20-05
return curhour > start || curhour < end;
}
}
fn option_to_string(value: &Option<u8>) -> String {
match value {
Some(v) => v.to_string(),
None => "Error".to_owned(),
}
}