Registries draft

This commit is contained in:
Gregor Reitzenstein 2020-09-14 10:37:51 +02:00
parent eb4e164c79
commit 73c24456d4
8 changed files with 159 additions and 19 deletions

View File

@ -8,9 +8,6 @@ edition = "2018"
# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html # See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html
[dependencies] [dependencies]
# TODO: reduce the feature groups for faster compilation
#tokio = { version = "0.2", features = ["full"] }
futures = { version = "0.3", features = ["thread-pool", "compat"] } futures = { version = "0.3", features = ["thread-pool", "compat"] }
futures-util = "0.3" futures-util = "0.3"
futures-signals = "0.3" futures-signals = "0.3"
@ -29,6 +26,7 @@ capnp-futures = "0.13"
toml = "0.5" toml = "0.5"
serde = { version = "1.0", features = ["derive"] } serde = { version = "1.0", features = ["derive"] }
flexbuffers = "0.1"
uuid = { version = "0.8", features = ["serde", "v4"] } uuid = { version = "0.8", features = ["serde", "v4"] }
@ -36,5 +34,13 @@ clap = "2.33"
rsasl = "0.1" rsasl = "0.1"
# rumqtt needs tokio which I'm trying to get away from
paho-mqtt = "0.7.1"
mlua = { version = "0.4", features = ["async", "luajit"] }
libc = "0.2"
lmdb-rkv = "0.14"
[build-dependencies] [build-dependencies]
capnpc = "0.13" capnpc = "0.13"

View File

@ -4,6 +4,9 @@ use toml;
use rsasl::SaslError; use rsasl::SaslError;
// SpawnError is a somewhat ambigous name, `use as` to make it futures::SpawnError instead.
use futures::task as futures;
#[derive(Debug)] #[derive(Debug)]
pub enum Error { pub enum Error {
TomlDe(toml::de::Error), TomlDe(toml::de::Error),
@ -15,6 +18,7 @@ pub enum Error {
LMDB(lmdb::Error), LMDB(lmdb::Error),
FlexbuffersDe(flexbuffers::DeserializationError), FlexbuffersDe(flexbuffers::DeserializationError),
FlexbuffersSer(flexbuffers::SerializationError), FlexbuffersSer(flexbuffers::SerializationError),
FuturesSpawn(futures::SpawnError),
} }
impl fmt::Display for Error { impl fmt::Display for Error {
@ -47,6 +51,9 @@ impl fmt::Display for Error {
Error::FlexbuffersSer(e) => { Error::FlexbuffersSer(e) => {
write!(f, "Flexbuffers encoding error: {}", e) write!(f, "Flexbuffers encoding error: {}", e)
}, },
Error::FuturesSpawn(e) => {
write!(f, "Future could not be spawned: {}", e)
},
} }
} }
} }
@ -105,4 +112,10 @@ impl From<flexbuffers::SerializationError> for Error {
} }
} }
pub type Result<T> = std::result::Result<T, Error>; impl From<futures::SpawnError> for Error {
fn from(e: futures::SpawnError) -> Error {
Error::FuturesSpawn(e)
}
}
pub(crate) type Result<T> = std::result::Result<T, Error>;

View File

@ -13,6 +13,7 @@ mod config;
mod error; mod error;
mod machine; mod machine;
mod connection; mod connection;
mod registries;
use signal_hook::iterator::Signals; use signal_hook::iterator::Signals;
@ -217,6 +218,17 @@ fn main() -> Result<(), Error> {
.create()?; .create()?;
let local_spawn = exec.spawner(); let local_spawn = exec.spawner();
// Start all modules on the threadpool. The pool will run the modules until it is dropped.
// FIXME: implement notification so the modules can shut down cleanly instead of being killed
// without warning.
let modlog = log.clone();
match modules::init(modlog.new(o!("system" => "modules")), &config, &pool) {
Ok(()) => {}
Err(e) => {
error!(modlog, "Module startup failed: {}", e);
return Err(e);
}
}
// Closure inefficiencies. Lucky cloning an Arc is pretty cheap. // Closure inefficiencies. Lucky cloning an Arc is pretty cheap.
let inner_log = log.clone(); let inner_log = log.clone();

View File

@ -5,12 +5,20 @@
//! Additionally, FFI modules to other languages (Python/Lua/...) make the most sense in here as //! Additionally, FFI modules to other languages (Python/Lua/...) make the most sense in here as
//! well. //! well.
mod mqtt;
use slog::Logger; use slog::Logger;
pub fn init(log: Logger) { mod shelly;
info!(log, "Initializing submodules");
mqtt::init(log.new(o!())); use futures::prelude::*;
info!(log, "Finished initializing submodules"); use futures::task::Spawn;
use crate::config::Config;
use crate::error::Result;
// spawner is a type that allows 'tasks' to be spawned on it, running them to completion.
pub fn init<S: Spawn>(log: Logger, config: &Config, spawner: &S) -> Result<()> {
let f = Box::new(shelly::init(log.clone(), config.clone()));
spawner.spawn_obj(f.into())?;
Ok(())
} }

View File

@ -1,9 +0,0 @@
//! Mock impl of MQTT as transport.
//!
//! Specific Protocol implementations (Sonoff/Card2Go/...) would be located here
use slog::Logger;
pub fn init(log: Logger) {
info!(log, "MQTT Module initialized.")
}

20
src/modules/shelly.rs Normal file
View File

@ -0,0 +1,20 @@
use slog::Logger;
use crate::config::Config;
use crate::registries::Actuator;
pub async fn init(log: Logger, config: Config) {
info!(log, "This is where shelly support would start up, IF IT WAS IMPLEMENTED");
}
/// An actuator for all Shellies connected listening on one MQTT broker
///
/// This actuator can power toggle an arbitrariy named shelly on the broker it is connected to. If
/// you need to toggle shellies on multiple brokers you need multiple instanced of this actuator.
struct Shelly {
}
impl Actuator for Shelly {
}

12
src/registries.rs Normal file
View File

@ -0,0 +1,12 @@
mod actuators;
pub use actuators::Actuator;
#[derive(Clone)]
/// BFFH registries
///
/// This struct is only a reference to the underlying registries - cloning it will generate a new
/// reference, not clone the registries
pub struct Registries {
actuators: actuators::Actuators,
}

View File

@ -0,0 +1,78 @@
use std::sync::Arc;
use smol::lock::RwLock;
use futures::prelude::*;
use std::collections::HashMap;
#[derive(Clone)]
pub struct Actuators {
inner: Arc<RwLock<Inner>>,
}
type ActBox = Box<dyn Actuator
< PowerOnFut = Future<Output = ()>
, PowerOffFut = Future<Output = ()>
>>;
type Inner = HashMap<String, ActBox>;
impl Actuators {
pub fn new() -> Self {
Actuators {
inner: Arc::new(RwLock::new(Inner::new()))
}
}
pub async fn register(&self, name: String, act: ActBox) {
let mut wlock = self.inner.write().await;
// TODO: Log an error or something if that name was already taken
wlock.insert(name, act);
}
}
pub trait Actuator {
// TODO: Is it smarter to pass a (reference to?) a machine instead of 'name'? Do we need to
// pass basically arbitrary parameters to the Actuator?
type PowerOnFut: Future<Output = ()>;
fn power_on(&mut self, name: String) -> Self::PowerOnFut;
type PowerOffFut: Future<Output = ()>;
fn power_off(&mut self, name: String) -> Self::PowerOffFut;
}
// This is merely a proof that Actuator *can* be implemented on a finite, known type. Yay for type
// systems with halting problems.
struct Dummy;
impl Actuator for Dummy {
type PowerOnFut = DummyPowerOnFut;
type PowerOffFut = DummyPowerOffFut;
fn power_on(&mut self) -> DummyPowerOnFut {
DummyPowerOnFut
}
fn power_off(&mut self) -> DummyPowerOffFut {
DummyPowerOffFut
}
}
use std::pin::Pin;
use futures::task::{Poll, Context};
struct DummyPowerOnFut;
impl Future for DummyPowerOnFut {
type Output = ();
fn poll(self: Pin<&mut Self>, cx: &mut Context) -> Poll<Self::Output> {
Poll::Ready(())
}
}
struct DummyPowerOffFut;
impl Future for DummyPowerOffFut {
type Output = ();
fn poll(self: Pin<&mut Self>, cx: &mut Context) -> Poll<Self::Output> {
Poll::Ready(())
}
}