use crate::actors::shelly::Shelly; use crate::resources::state::State; use crate::{Config, ResourcesHandle}; use async_compat::CompatExt; use executor::pool::Executor; use futures_signals::signal::{MutableSignalRef, ReadOnlyMutable, Signal}; use futures_util::future::BoxFuture; use rumqttc::{AsyncClient, ConnectionError, Event, Incoming, MqttOptions}; use std::cell::Cell; use std::collections::HashMap; use std::future::Future; use std::ops::Deref; use std::pin::Pin; use std::sync::Mutex; use std::task::{Context, Poll}; use std::time::Duration; use anyhow::Context as _; use once_cell::sync::Lazy; use rustls::{Certificate, RootCertStore}; use url::Url; mod shelly; pub trait Actor { fn apply(&mut self, state: State) -> BoxFuture<'static, ()>; } fn loader>(cell: &Cell>) -> Option { cell.take() } pub struct ActorDriver { signal: S, actor: Box, future: Option>, } impl> ActorDriver { pub fn new(signal: S, actor: Box) -> Self { Self { signal, actor, future: None, } } } impl Future for ActorDriver where S: Signal + Unpin + Send, { type Output = (); fn poll(mut self: Pin<&mut Self>, cx: &mut Context) -> Poll { // Work until there is no more work to do. loop { // Poll the `apply` future. And ensure it's completed before the next one is started match self .future .as_mut() .map(|future| Future::poll(Pin::new(future), cx)) { // Skip and poll for a new future to do None => {} // This apply future is done, get a new one Some(Poll::Ready(_)) => self.future = None, // This future would block so we return to continue work another time Some(Poll::Pending) => return Poll::Pending, } // Poll the signal and apply any change that happen to the inner Actuator match Pin::new(&mut self.signal).poll_change(cx) { Poll::Pending => return Poll::Pending, Poll::Ready(None) => return Poll::Ready(()), Poll::Ready(Some(state)) => { // This future MUST be polled before we exit from the Actor::poll because if we // do not do that it will not register the dependency and thus NOT BE POLLED. let f = self.actor.apply(state); self.future.replace(f); } } } } } static ROOT_CERTS: Lazy = Lazy::new(|| { let span = tracing::info_span!("loading system certificates"); let _guard = span.enter(); let mut store = RootCertStore::empty(); match rustls_native_certs::load_native_certs() { Ok(certs) => { let certs: Vec> = certs.into_iter().map(|c| c.0).collect(); let (loaded, ignored) = store.add_parsable_certificates(&certs[..]); if ignored != 0 { tracing::info!(loaded, ignored, "certificates loaded, some ignored"); } else { tracing::info!(loaded, "certificates loaded"); } }, Err(error) => { tracing::error!(%error, "failed to load system certificates"); } } store }); pub fn load(executor: Executor, config: &Config, resources: ResourcesHandle) -> anyhow::Result<()> { let span = tracing::info_span!("loading actors"); let _guard = span; let mqtt_url = Url::parse(config.mqtt_url.as_str())?; let (transport, default_port) = match mqtt_url.scheme() { "mqtts" | "ssl" => ( rumqttc::Transport::tls_with_config( rumqttc::ClientConfig::builder() .with_safe_defaults() .with_root_certificates(ROOT_CERTS.clone()) .with_no_client_auth() .into(), ), 8883, ), "mqtt" | "tcp" => (rumqttc::Transport::tcp(), 1883), scheme => { tracing::error!(%scheme, "MQTT url uses invalid scheme"); anyhow::bail!("invalid config"); } }; let host = mqtt_url.host_str().ok_or_else(|| { tracing::error!("MQTT url must contain a hostname"); anyhow::anyhow!("invalid config") })?; let port = mqtt_url.port().unwrap_or(default_port); let mut mqttoptions = MqttOptions::new("bffh", host, port); mqttoptions .set_transport(transport) .set_keep_alive(Duration::from_secs(20)); if !mqtt_url.username().is_empty() { mqttoptions.set_credentials(mqtt_url.username(), mqtt_url.password().unwrap_or_default()); } let (mqtt, mut eventloop) = AsyncClient::new(mqttoptions, 256); let mut eventloop = executor.run( async move { match eventloop.poll().await { Ok(Event::Incoming(Incoming::Connect(_connect))) => {} Ok(event) => { tracing::warn!(?event, "Got unexpected mqtt event"); } Err(error) => { tracing::error!(?error, "MQTT connection failed"); anyhow::bail!("mqtt connection failed") } } Ok(eventloop) } .compat(), )?; executor.spawn( async move { let mut fault = false; loop { match eventloop.poll().compat().await { Ok(_) => { fault = false; // TODO: Handle incoming MQTT messages } Err(ConnectionError::Cancel) | Err(ConnectionError::StreamDone) | Err(ConnectionError::RequestsDone) => { // Normal exit tracing::info!("MQTT request queue closed, stopping client."); return; } Err(ConnectionError::Timeout(_)) => { tracing::error!("MQTT operation timed out!"); tracing::warn!( "MQTT client will continue, but messages may have been lost." ) // Timeout does not close the client } Err(ConnectionError::Io(error)) if fault => { tracing::error!(?error, "MQTT recurring IO error, closing client"); // Repeating IO errors close client. Any Ok() in between resets fault to false. return; } Err(ConnectionError::Io(error)) => { fault = true; tracing::error!(?error, "MQTT encountered IO error"); // *First* IO error does not close the client. } Err(error) => { tracing::error!(?error, "MQTT client encountered unhandled error"); return; } } } } .compat(), ); let mut actor_map: HashMap = config.actor_connections.iter() .filter_map(|(k,v)| { if let Some(resource) = resources.get_by_id(v) { Some((k.clone(), resource.get_signal())) } else { tracing::error!(actor=%k, machine=%v, "Machine configured for actor not found!"); None } }) .collect(); for (name, cfg) in config.actors.iter() { if let Some(sig) = actor_map.remove(name) { if let Some(actor) = load_single(name, &cfg.module, &cfg.params, mqtt.clone()) { let driver = ActorDriver::new(sig, actor); tracing::debug!(module_name=%cfg.module, %name, "starting actor task"); executor.spawn(driver); } else { tracing::error!(module_name=%cfg.module, %name, "Actor module type not found"); } } else { tracing::warn!(actor=%name, ?config, "Actor has no machine configured. Skipping!"); } } Ok(()) } fn load_single( name: &String, module_name: &String, params: &HashMap, client: AsyncClient, ) -> Option> { tracing::info!(%name, %module_name, ?params, "Loading actor"); match module_name.as_ref() { //"Dummy" => Some(Box::new(Dummy::new())), //"Process" => Process::new(name.clone(), params).map(|a| a.into_boxed_actuator()), "Shelly" => Some(Box::new(Shelly::new(name.clone(), client, params))), _ => { None } } }