use crate::node::{InputStreams, Node, NodeExecutionError, OutputStreams};
use crate::nodes::common::{BaseNode, MessageType};
use async_trait::async_trait;
use futures::stream;
use std::any::Any;
use std::collections::HashMap;
use std::pin::Pin;
use std::sync::Arc;
use tokio::sync::Mutex;
use tokio_stream::{StreamExt, wrappers::ReceiverStream};
#[async_trait]
pub trait ConditionFunction: Send + Sync {
async fn apply(&self, value: Arc<dyn Any + Send + Sync>) -> Result<bool, String>;
}
pub type ConditionConfig = Arc<dyn ConditionFunction>;
struct ConditionFunctionWrapper<F> {
function: F,
}
#[async_trait::async_trait]
impl<F> ConditionFunction for ConditionFunctionWrapper<F>
where
F: Fn(
Arc<dyn Any + Send + Sync>,
) -> std::pin::Pin<Box<dyn std::future::Future<Output = Result<bool, String>> + Send>>
+ Send
+ Sync,
{
async fn apply(&self, value: Arc<dyn Any + Send + Sync>) -> Result<bool, String> {
(self.function)(value).await
}
}
pub fn condition_config<F, Fut>(function: F) -> ConditionConfig
where
F: Fn(Arc<dyn Any + Send + Sync>) -> Fut + Send + Sync + 'static,
Fut: std::future::Future<Output = Result<bool, String>> + Send + 'static,
{
Arc::new(ConditionFunctionWrapper {
function: move |v| {
Box::pin(function(v))
as std::pin::Pin<Box<dyn std::future::Future<Output = Result<bool, String>> + Send>>
},
})
}
pub struct ConditionNode {
pub(crate) base: BaseNode,
current_config: Arc<Mutex<Option<Arc<dyn ConditionFunction>>>>,
}
impl ConditionNode {
pub fn new(name: String) -> Self {
Self {
base: BaseNode::new(
name,
vec!["configuration".to_string(), "in".to_string()],
vec!["true".to_string(), "false".to_string(), "error".to_string()],
),
current_config: Arc::new(Mutex::new(None::<Arc<dyn ConditionFunction>>)),
}
}
pub fn has_config(&self) -> bool {
self
.current_config
.try_lock()
.map(|g| g.is_some())
.unwrap_or(false)
}
}
#[async_trait]
impl Node for ConditionNode {
fn name(&self) -> &str {
self.base.name()
}
fn set_name(&mut self, name: &str) {
self.base.set_name(name);
}
fn input_port_names(&self) -> &[String] {
self.base.input_port_names()
}
fn output_port_names(&self) -> &[String] {
self.base.output_port_names()
}
fn has_input_port(&self, name: &str) -> bool {
self.base.has_input_port(name)
}
fn has_output_port(&self, name: &str) -> bool {
self.base.has_output_port(name)
}
fn execute(
&self,
mut inputs: InputStreams,
) -> Pin<
Box<dyn std::future::Future<Output = Result<OutputStreams, NodeExecutionError>> + Send + '_>,
> {
let config_state = Arc::clone(&self.current_config);
Box::pin(async move {
let config_stream = inputs
.remove("configuration")
.ok_or("Missing 'configuration' input")?;
let data_stream = inputs.remove("in").ok_or("Missing 'in' input")?;
let config_stream = config_stream.map(|item| (MessageType::Config, item));
let data_stream = data_stream.map(|item| (MessageType::Data, item));
let merged_stream = stream::select(config_stream, data_stream);
let (true_tx, true_rx) = tokio::sync::mpsc::channel(10);
let (false_tx, false_rx) = tokio::sync::mpsc::channel(10);
let (error_tx, error_rx) = tokio::sync::mpsc::channel(10);
let config_state_clone = Arc::clone(&config_state);
let true_tx_clone = true_tx.clone();
let false_tx_clone = false_tx.clone();
let error_tx_clone = error_tx.clone();
tokio::spawn(async move {
let mut merged = merged_stream;
let mut current_config: Option<Arc<dyn ConditionFunction>> = None;
while let Some((msg_type, item)) = merged.next().await {
match msg_type {
MessageType::Config => {
if let Ok(arc_arc_fn) = item.clone().downcast::<Arc<Arc<dyn ConditionFunction>>>() {
current_config = Some((**arc_arc_fn).clone());
*config_state_clone.lock().await = Some((**arc_arc_fn).clone());
} else if let Ok(arc_function) = item.clone().downcast::<Arc<dyn ConditionFunction>>()
{
current_config = Some(Arc::clone(&*arc_function));
*config_state_clone.lock().await = Some(Arc::clone(&*arc_function));
} else {
let error_msg: String = "Invalid configuration type".to_string();
let error_arc: Arc<dyn Any + Send + Sync> = Arc::new(error_msg);
let _ = error_tx_clone.send(error_arc).await;
}
}
MessageType::Data => {
match ¤t_config {
Some(cfg) => {
let item_clone = item.clone();
match cfg.apply(item).await {
Ok(true) => {
let _ = true_tx_clone.send(item_clone).await;
}
Ok(false) => {
let item_clone2 = item_clone.clone();
let _ = false_tx_clone.send(item_clone2).await;
}
Err(error_msg) => {
let error_arc: Arc<dyn Any + Send + Sync> = Arc::new(error_msg);
let _ = error_tx_clone.send(error_arc).await;
}
}
}
None => {
let error_msg: String =
"No configuration set. Please send configuration before data.".to_string();
let error_arc: Arc<dyn Any + Send + Sync> = Arc::new(error_msg);
let _ = error_tx_clone.send(error_arc).await;
}
}
}
}
}
});
let mut outputs = HashMap::new();
outputs.insert(
"true".to_string(),
Box::pin(ReceiverStream::new(true_rx))
as Pin<Box<dyn tokio_stream::Stream<Item = Arc<dyn Any + Send + Sync>> + Send>>,
);
outputs.insert(
"false".to_string(),
Box::pin(ReceiverStream::new(false_rx))
as Pin<Box<dyn tokio_stream::Stream<Item = Arc<dyn Any + Send + Sync>> + Send>>,
);
outputs.insert(
"error".to_string(),
Box::pin(ReceiverStream::new(error_rx))
as Pin<Box<dyn tokio_stream::Stream<Item = Arc<dyn Any + Send + Sync>> + Send>>,
);
Ok(outputs)
})
}
}