Add relay pulse functionality
This commit is contained in:
parent
e2f3d7b82a
commit
61a3c6093b
14 changed files with 201 additions and 13 deletions
|
@ -1,6 +1,8 @@
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
use std::time::{Duration, Instant};
|
||||||
|
|
||||||
use actix::{Actor, Context, Handler, Message};
|
use actix::{Actor, Context, Handler, Message};
|
||||||
|
use emgauwa_lib::constants;
|
||||||
use emgauwa_lib::errors::EmgauwaError;
|
use emgauwa_lib::errors::EmgauwaError;
|
||||||
use emgauwa_lib::models::Controller;
|
use emgauwa_lib::models::Controller;
|
||||||
use emgauwa_lib::types::RelayStates;
|
use emgauwa_lib::types::RelayStates;
|
||||||
|
@ -8,6 +10,8 @@ use futures::executor::block_on;
|
||||||
use sqlx::{Pool, Sqlite};
|
use sqlx::{Pool, Sqlite};
|
||||||
use tokio::sync::Notify;
|
use tokio::sync::Notify;
|
||||||
|
|
||||||
|
use crate::settings::Settings;
|
||||||
|
|
||||||
#[derive(Message)]
|
#[derive(Message)]
|
||||||
#[rtype(result = "Result<(), EmgauwaError>")]
|
#[rtype(result = "Result<(), EmgauwaError>")]
|
||||||
pub struct Reload {}
|
pub struct Reload {}
|
||||||
|
@ -18,6 +22,13 @@ pub struct UpdateRelayStates {
|
||||||
pub relay_states: RelayStates,
|
pub relay_states: RelayStates,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[derive(Message)]
|
||||||
|
#[rtype(result = "Result<(), EmgauwaError>")]
|
||||||
|
pub struct RelayPulse {
|
||||||
|
pub relay_number: i64,
|
||||||
|
pub duration: Option<u32>,
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Message)]
|
#[derive(Message)]
|
||||||
#[rtype(result = "Controller")]
|
#[rtype(result = "Controller")]
|
||||||
pub struct GetThis {}
|
pub struct GetThis {}
|
||||||
|
@ -33,15 +44,17 @@ pub struct GetRelayNotifier {}
|
||||||
pub struct AppState {
|
pub struct AppState {
|
||||||
pub pool: Pool<Sqlite>,
|
pub pool: Pool<Sqlite>,
|
||||||
pub this: Controller,
|
pub this: Controller,
|
||||||
|
pub settings: Settings,
|
||||||
pub controller_notifier: Arc<Notify>,
|
pub controller_notifier: Arc<Notify>,
|
||||||
pub relay_notifier: Arc<Notify>,
|
pub relay_notifier: Arc<Notify>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl AppState {
|
impl AppState {
|
||||||
pub fn new(pool: Pool<Sqlite>, this: Controller) -> AppState {
|
pub fn new(pool: Pool<Sqlite>, this: Controller, settings: Settings) -> AppState {
|
||||||
AppState {
|
AppState {
|
||||||
pool,
|
pool,
|
||||||
this,
|
this,
|
||||||
|
settings,
|
||||||
controller_notifier: Arc::new(Notify::new()),
|
controller_notifier: Arc::new(Notify::new()),
|
||||||
relay_notifier: Arc::new(Notify::new()),
|
relay_notifier: Arc::new(Notify::new()),
|
||||||
}
|
}
|
||||||
|
@ -85,6 +98,40 @@ impl Handler<UpdateRelayStates> for AppState {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl Handler<RelayPulse> for AppState {
|
||||||
|
type Result = Result<(), EmgauwaError>;
|
||||||
|
|
||||||
|
fn handle(&mut self, msg: RelayPulse, _ctx: &mut Self::Context) -> Self::Result {
|
||||||
|
let relay_num = msg.relay_number;
|
||||||
|
|
||||||
|
let duration = Duration::from_secs(
|
||||||
|
match msg.duration {
|
||||||
|
None => {
|
||||||
|
self.settings
|
||||||
|
.get_relay(relay_num)
|
||||||
|
.ok_or(EmgauwaError::Other(String::from(
|
||||||
|
"Relay not found in settings",
|
||||||
|
)))?
|
||||||
|
.pulse
|
||||||
|
}
|
||||||
|
Some(dur) => Some(dur as u64),
|
||||||
|
}
|
||||||
|
.unwrap_or(constants::RELAY_PULSE_DURATION),
|
||||||
|
);
|
||||||
|
let now = Instant::now();
|
||||||
|
let until = now + duration;
|
||||||
|
|
||||||
|
self.this.relay_pulse(relay_num, until)?;
|
||||||
|
log::debug!(
|
||||||
|
"Pulsing relay {} for {} seconds until {:?}",
|
||||||
|
relay_num,
|
||||||
|
duration.as_secs(),
|
||||||
|
until
|
||||||
|
);
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl Handler<GetThis> for AppState {
|
impl Handler<GetThis> for AppState {
|
||||||
type Result = Controller;
|
type Result = Controller;
|
||||||
|
|
||||||
|
|
|
@ -104,13 +104,12 @@ async fn main() -> Result<(), std::io::Error> {
|
||||||
|
|
||||||
let this = Controller::from_db_model(&mut conn, db_controller).map_err(EmgauwaError::from)?;
|
let this = Controller::from_db_model(&mut conn, db_controller).map_err(EmgauwaError::from)?;
|
||||||
|
|
||||||
let app_state = app_state::AppState::new(pool.clone(), this).start();
|
|
||||||
|
|
||||||
let url = format!(
|
let url = format!(
|
||||||
"ws://{}:{}/api/v1/ws/controllers",
|
"ws://{}:{}/api/v1/ws/controllers",
|
||||||
settings.server.host, settings.server.port
|
settings.server.host, settings.server.port
|
||||||
);
|
);
|
||||||
|
|
||||||
|
let app_state = app_state::AppState::new(pool.clone(), this, settings).start();
|
||||||
|
|
||||||
let _ = tokio::join!(
|
let _ = tokio::join!(
|
||||||
tokio::spawn(run_relays_loop(app_state.clone())),
|
tokio::spawn(run_relays_loop(app_state.clone())),
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
use std::time::Duration;
|
use std::time::{Duration, Instant};
|
||||||
|
|
||||||
use actix::Addr;
|
use actix::Addr;
|
||||||
use chrono::{Local, Timelike};
|
use chrono::{Local, Timelike};
|
||||||
|
@ -35,6 +35,8 @@ async fn run_relays(app_state: &Addr<AppState>) -> Result<(), EmgauwaError> {
|
||||||
init_relay_states(&mut relay_states, &this);
|
init_relay_states(&mut relay_states, &this);
|
||||||
calc_relay_states(&mut relay_states, &mut this, app_state).await?;
|
calc_relay_states(&mut relay_states, &mut this, app_state).await?;
|
||||||
|
|
||||||
|
let mut duration_override = None;
|
||||||
|
|
||||||
loop {
|
loop {
|
||||||
log::debug!(
|
log::debug!(
|
||||||
"Relay loop at {}: {}",
|
"Relay loop at {}: {}",
|
||||||
|
@ -44,9 +46,12 @@ async fn run_relays(app_state: &Addr<AppState>) -> Result<(), EmgauwaError> {
|
||||||
|
|
||||||
let notifier_future = notifier.notified();
|
let notifier_future = notifier.notified();
|
||||||
pin_mut!(notifier_future);
|
pin_mut!(notifier_future);
|
||||||
let mut changed = timeout(get_next_duration(&this), &mut notifier_future)
|
let mut changed = timeout(
|
||||||
.await
|
get_next_duration(&this, &mut duration_override),
|
||||||
.is_ok();
|
&mut notifier_future,
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.is_ok();
|
||||||
|
|
||||||
check_weekday(app_state, &mut last_weekday, &mut changed).await?;
|
check_weekday(app_state, &mut last_weekday, &mut changed).await?;
|
||||||
|
|
||||||
|
@ -55,6 +60,25 @@ async fn run_relays(app_state: &Addr<AppState>) -> Result<(), EmgauwaError> {
|
||||||
this = utils::app_state_get_this(app_state).await?;
|
this = utils::app_state_get_this(app_state).await?;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
let now_pulse = Instant::now();
|
||||||
|
duration_override = this
|
||||||
|
.relays
|
||||||
|
.iter_mut()
|
||||||
|
.filter_map(|relay| match relay.check_pulsing(&now_pulse) {
|
||||||
|
None => None,
|
||||||
|
Some(pulse) => {
|
||||||
|
let dur = pulse - now_pulse;
|
||||||
|
log::debug!(
|
||||||
|
"Pulsing relay {} for {}s until {:?} ",
|
||||||
|
relay.r.number,
|
||||||
|
dur.as_secs(),
|
||||||
|
pulse
|
||||||
|
);
|
||||||
|
Some(dur)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.min();
|
||||||
|
|
||||||
calc_relay_states(&mut relay_states, &mut this, app_state).await?;
|
calc_relay_states(&mut relay_states, &mut this, app_state).await?;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -72,18 +96,26 @@ async fn calc_relay_states(
|
||||||
app_state: &Addr<AppState>,
|
app_state: &Addr<AppState>,
|
||||||
) -> Result<(), EmgauwaError> {
|
) -> Result<(), EmgauwaError> {
|
||||||
let now = Local::now().time();
|
let now = Local::now().time();
|
||||||
|
let now_pulse = Instant::now();
|
||||||
|
|
||||||
this.relays
|
this.relays
|
||||||
.iter_mut()
|
.iter_mut()
|
||||||
.zip(relay_states.iter_mut())
|
.zip(relay_states.iter_mut())
|
||||||
.for_each(|(relay, state)| {
|
.for_each(|(relay, state)| {
|
||||||
relay.is_on = Some(relay.active_schedule.is_on(&now));
|
relay.is_on = Some(
|
||||||
|
relay.active_schedule.is_on(&now) || relay.check_pulsing(&now_pulse).is_some(),
|
||||||
|
);
|
||||||
*state = relay.is_on;
|
*state = relay.is_on;
|
||||||
});
|
});
|
||||||
utils::app_state_update_relays_on(app_state, relay_states.clone()).await
|
utils::app_state_update_relays_on(app_state, relay_states.clone()).await
|
||||||
}
|
}
|
||||||
|
|
||||||
fn get_next_duration(this: &Controller) -> Duration {
|
fn get_next_duration(this: &Controller, duration_override: &mut Option<Duration>) -> Duration {
|
||||||
|
if let Some(duration) = duration_override {
|
||||||
|
log::debug!("Duration override. Waiting for {}s", duration.as_secs());
|
||||||
|
return *duration;
|
||||||
|
}
|
||||||
|
|
||||||
let now = Local::now().time();
|
let now = Local::now().time();
|
||||||
let now_in_s = now.num_seconds_from_midnight();
|
let now_in_s = now.num_seconds_from_midnight();
|
||||||
let next_timestamp = this
|
let next_timestamp = this
|
||||||
|
|
|
@ -13,6 +13,7 @@ pub struct Relay {
|
||||||
pub number: Option<i64>,
|
pub number: Option<i64>,
|
||||||
pub pin: u8,
|
pub pin: u8,
|
||||||
pub inverted: bool,
|
pub inverted: bool,
|
||||||
|
pub pulse: Option<u64>,
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Clone, Debug, Deserialize)]
|
#[derive(Clone, Debug, Deserialize)]
|
||||||
|
@ -50,6 +51,7 @@ impl Default for Relay {
|
||||||
name: String::from("Relay"),
|
name: String::from("Relay"),
|
||||||
pin: 0,
|
pin: 0,
|
||||||
inverted: false,
|
inverted: false,
|
||||||
|
pulse: None,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -65,3 +67,9 @@ pub fn init() -> Result<Settings, EmgauwaError> {
|
||||||
|
|
||||||
Ok(settings)
|
Ok(settings)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl Settings {
|
||||||
|
pub fn get_relay(&self, number: i64) -> Option<&Relay> {
|
||||||
|
self.relays.iter().find(|r| r.number == Some(number))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
|
@ -50,3 +50,17 @@ pub async fn app_state_update_relays_on(
|
||||||
.await
|
.await
|
||||||
.map_err(EmgauwaError::from)
|
.map_err(EmgauwaError::from)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn app_state_relay_pulse(
|
||||||
|
app_state: &Addr<AppState>,
|
||||||
|
relay_number: i64,
|
||||||
|
duration: Option<u32>,
|
||||||
|
) -> Result<(), EmgauwaError> {
|
||||||
|
app_state
|
||||||
|
.send(app_state::RelayPulse {
|
||||||
|
relay_number,
|
||||||
|
duration,
|
||||||
|
})
|
||||||
|
.await
|
||||||
|
.map_err(EmgauwaError::from)?
|
||||||
|
}
|
||||||
|
|
|
@ -140,6 +140,9 @@ pub async fn handle_action(
|
||||||
}
|
}
|
||||||
ControllerWsAction::Relays(relays) => handle_relays(conn, &this, relays).await?,
|
ControllerWsAction::Relays(relays) => handle_relays(conn, &this, relays).await?,
|
||||||
ControllerWsAction::Schedules(schedules) => handle_schedules(conn, schedules).await?,
|
ControllerWsAction::Schedules(schedules) => handle_schedules(conn, schedules).await?,
|
||||||
|
ControllerWsAction::RelayPulse((relay_num, duration)) => {
|
||||||
|
handle_relay_pulse(app_state, relay_num, duration).await?
|
||||||
|
}
|
||||||
_ => return Ok(()),
|
_ => return Ok(()),
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -234,3 +237,11 @@ async fn handle_relays(
|
||||||
|
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async fn handle_relay_pulse(
|
||||||
|
app_state: &Addr<AppState>,
|
||||||
|
relay_num: i64,
|
||||||
|
duration: Option<u32>,
|
||||||
|
) -> Result<(), EmgauwaError> {
|
||||||
|
utils::app_state_relay_pulse(app_state, relay_num, duration).await
|
||||||
|
}
|
||||||
|
|
|
@ -1,9 +1,11 @@
|
||||||
use actix::Addr;
|
use actix::Addr;
|
||||||
use actix_web::{get, put, web, HttpResponse};
|
use actix_web::{get, post, put, web, HttpResponse};
|
||||||
use emgauwa_lib::db::{DbController, DbJunctionRelaySchedule, DbRelay, DbTag};
|
use emgauwa_lib::db::{DbController, DbJunctionRelaySchedule, DbRelay, DbTag};
|
||||||
use emgauwa_lib::errors::{DatabaseError, EmgauwaError};
|
use emgauwa_lib::errors::{DatabaseError, EmgauwaError};
|
||||||
use emgauwa_lib::models::{convert_db_list, FromDbModel, Relay};
|
use emgauwa_lib::models::{convert_db_list, FromDbModel, Relay};
|
||||||
use emgauwa_lib::types::{ControllerUid, ControllerWsAction, RequestRelayUpdate};
|
use emgauwa_lib::types::{
|
||||||
|
ControllerUid, ControllerWsAction, RequestRelayPulse, RequestRelayUpdate,
|
||||||
|
};
|
||||||
use emgauwa_lib::utils;
|
use emgauwa_lib::utils;
|
||||||
use sqlx::{Pool, Sqlite};
|
use sqlx::{Pool, Sqlite};
|
||||||
|
|
||||||
|
@ -149,3 +151,35 @@ pub async fn update_for_controller(
|
||||||
|
|
||||||
Ok(HttpResponse::Ok().json(return_relay))
|
Ok(HttpResponse::Ok().json(return_relay))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[post("/controllers/{controller_id}/relays/{relay_num}/pulse")]
|
||||||
|
pub async fn pulse(
|
||||||
|
pool: web::Data<Pool<Sqlite>>,
|
||||||
|
app_state: web::Data<Addr<AppState>>,
|
||||||
|
path: web::Path<(String, i64)>,
|
||||||
|
data: web::Json<RequestRelayPulse>,
|
||||||
|
) -> Result<HttpResponse, EmgauwaError> {
|
||||||
|
let mut pool_conn = pool.acquire().await?;
|
||||||
|
|
||||||
|
let (controller_uid, relay_num) = path.into_inner();
|
||||||
|
let uid = ControllerUid::try_from(controller_uid.as_str())?;
|
||||||
|
|
||||||
|
let controller = DbController::get_by_uid(&mut pool_conn, &uid)
|
||||||
|
.await?
|
||||||
|
.ok_or(DatabaseError::NotFound)?;
|
||||||
|
|
||||||
|
let relay = DbRelay::get_by_controller_and_num(&mut pool_conn, &controller, relay_num)
|
||||||
|
.await?
|
||||||
|
.ok_or(DatabaseError::NotFound)?;
|
||||||
|
|
||||||
|
let duration = data.duration.filter(|&d| d > 0);
|
||||||
|
|
||||||
|
app_state
|
||||||
|
.send(app_state::Action {
|
||||||
|
controller_uid: uid,
|
||||||
|
action: ControllerWsAction::RelayPulse((relay.number, duration)),
|
||||||
|
})
|
||||||
|
.await??;
|
||||||
|
|
||||||
|
Ok(HttpResponse::Ok().finish()) // TODO add a message?
|
||||||
|
}
|
||||||
|
|
|
@ -96,6 +96,7 @@ async fn main() -> Result<(), std::io::Error> {
|
||||||
.service(handlers::v1::relays::index_for_controller)
|
.service(handlers::v1::relays::index_for_controller)
|
||||||
.service(handlers::v1::relays::show_for_controller)
|
.service(handlers::v1::relays::show_for_controller)
|
||||||
.service(handlers::v1::relays::update_for_controller)
|
.service(handlers::v1::relays::update_for_controller)
|
||||||
|
.service(handlers::v1::relays::pulse)
|
||||||
.service(handlers::v1::schedules::index)
|
.service(handlers::v1::schedules::index)
|
||||||
.service(handlers::v1::schedules::tagged)
|
.service(handlers::v1::schedules::tagged)
|
||||||
.service(handlers::v1::schedules::show)
|
.service(handlers::v1::schedules::show)
|
||||||
|
|
|
@ -6,3 +6,5 @@ pub const HEARTBEAT_TIMEOUT: Duration = Duration::from_secs(15);
|
||||||
|
|
||||||
pub const WEBSOCKET_RETRY_TIMEOUT: Duration = Duration::from_secs(5);
|
pub const WEBSOCKET_RETRY_TIMEOUT: Duration = Duration::from_secs(5);
|
||||||
pub const RELAYS_RETRY_TIMEOUT: Duration = Duration::from_secs(5);
|
pub const RELAYS_RETRY_TIMEOUT: Duration = Duration::from_secs(5);
|
||||||
|
|
||||||
|
pub const RELAY_PULSE_DURATION: u64 = 3;
|
||||||
|
|
|
@ -65,13 +65,13 @@ impl Period {
|
||||||
let end_after_now = self.end.gt(now);
|
let end_after_now = self.end.gt(now);
|
||||||
let start_before_end = self.start.lt(&self.end);
|
let start_before_end = self.start.lt(&self.end);
|
||||||
|
|
||||||
return match (start_after_now, end_after_now, start_before_end) {
|
match (start_after_now, end_after_now, start_before_end) {
|
||||||
(false, false, _) => None, // both before now
|
(false, false, _) => None, // both before now
|
||||||
(true, false, _) => Some(self.start), // only start after now
|
(true, false, _) => Some(self.start), // only start after now
|
||||||
(false, true, _) => Some(self.end), // only end after now
|
(false, true, _) => Some(self.end), // only end after now
|
||||||
(true, true, true) => Some(self.start), // both after now but start first
|
(true, true, true) => Some(self.start), // both after now but start first
|
||||||
(true, true, false) => Some(self.end), // both after now but end first
|
(true, true, false) => Some(self.end), // both after now but end first
|
||||||
};
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -1,3 +1,5 @@
|
||||||
|
use std::time::Instant;
|
||||||
|
|
||||||
use actix::MessageResponse;
|
use actix::MessageResponse;
|
||||||
use chrono::NaiveTime;
|
use chrono::NaiveTime;
|
||||||
use futures::executor::block_on;
|
use futures::executor::block_on;
|
||||||
|
@ -70,4 +72,15 @@ impl Controller {
|
||||||
.filter_map(|r| r.active_schedule.get_next_time(now))
|
.filter_map(|r| r.active_schedule.get_next_time(now))
|
||||||
.min()
|
.min()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn relay_pulse(&mut self, relay_num: i64, until: Instant) -> Result<(), EmgauwaError> {
|
||||||
|
let relay = self
|
||||||
|
.relays
|
||||||
|
.iter_mut()
|
||||||
|
.find(|r| r.r.number == relay_num)
|
||||||
|
.ok_or(EmgauwaError::Other(String::from("Relay not found")))?;
|
||||||
|
|
||||||
|
relay.pulsing = Some(until);
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,3 +1,5 @@
|
||||||
|
use std::time::Instant;
|
||||||
|
|
||||||
use chrono::NaiveTime;
|
use chrono::NaiveTime;
|
||||||
use futures::executor::block_on;
|
use futures::executor::block_on;
|
||||||
use serde_derive::{Deserialize, Serialize};
|
use serde_derive::{Deserialize, Serialize};
|
||||||
|
@ -19,6 +21,10 @@ pub struct Relay {
|
||||||
pub active_schedule: DbSchedule,
|
pub active_schedule: DbSchedule,
|
||||||
pub is_on: Option<bool>,
|
pub is_on: Option<bool>,
|
||||||
pub tags: Vec<String>,
|
pub tags: Vec<String>,
|
||||||
|
|
||||||
|
// for internal use only.
|
||||||
|
#[serde(skip)]
|
||||||
|
pub pulsing: Option<Instant>,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@ -55,6 +61,7 @@ impl FromDbModel for Relay {
|
||||||
active_schedule,
|
active_schedule,
|
||||||
is_on,
|
is_on,
|
||||||
tags,
|
tags,
|
||||||
|
pulsing: None,
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -83,4 +90,18 @@ impl Relay {
|
||||||
pub fn get_next_time(&self, now: &NaiveTime) -> Option<NaiveTime> {
|
pub fn get_next_time(&self, now: &NaiveTime) -> Option<NaiveTime> {
|
||||||
self.active_schedule.get_next_time(now)
|
self.active_schedule.get_next_time(now)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn check_pulsing(&mut self, now: &Instant) -> Option<Instant> {
|
||||||
|
match self.pulsing {
|
||||||
|
Some(dur_instant) => {
|
||||||
|
if dur_instant.lt(now) {
|
||||||
|
self.pulsing = None;
|
||||||
|
None
|
||||||
|
} else {
|
||||||
|
Some(dur_instant)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
None => None,
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -25,4 +25,5 @@ pub enum ControllerWsAction {
|
||||||
Relays(Vec<Relay>),
|
Relays(Vec<Relay>),
|
||||||
Controller(Controller),
|
Controller(Controller),
|
||||||
RelayStates((ControllerUid, RelayStates)),
|
RelayStates((ControllerUid, RelayStates)),
|
||||||
|
RelayPulse((i64, Option<u32>)),
|
||||||
}
|
}
|
||||||
|
|
|
@ -28,6 +28,11 @@ pub struct RequestRelayUpdate {
|
||||||
pub tags: Option<Vec<String>>,
|
pub tags: Option<Vec<String>>,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Serialize, Deserialize)]
|
||||||
|
pub struct RequestRelayPulse {
|
||||||
|
pub duration: Option<u32>,
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Debug, Serialize, Deserialize)]
|
#[derive(Debug, Serialize, Deserialize)]
|
||||||
pub struct RequestScheduleId {
|
pub struct RequestScheduleId {
|
||||||
pub id: ScheduleUid,
|
pub id: ScheduleUid,
|
||||||
|
|
Loading…
Reference in a new issue