1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
use std::error::Error;
use std::fmt::Debug;
use serde::{Deserialize, Serialize};
use crate::destination::kinds::DestinationKind;
use crate::destination::message_condition_config::MessageCondition;
use crate::Message;
#[derive(Serialize, Deserialize, Debug, Clone, PartialEq)]
pub struct DestinationConfig {
#[serde(default)]
routing_type: MessageRoutingBehaviour,
#[serde(flatten)]
dest_type: DestinationKind,
#[serde(skip_serializing_if = "Option::is_none")]
applies_to: Option<MessageCondition>,
}
#[derive(Clone, PartialEq, Debug, Serialize, Deserialize)]
pub enum MessageRoutingBehaviour {
Root,
Drain,
Additive
}
impl MessageRoutingBehaviour {
pub fn always_send_messages(&self) -> bool {
match &self {
MessageRoutingBehaviour::Root => true,
MessageRoutingBehaviour::Additive => true,
MessageRoutingBehaviour::Drain => false,
}
}
pub fn always_receives_errors(&self) -> bool {
match &self {
MessageRoutingBehaviour::Root => true,
MessageRoutingBehaviour::Drain => false,
MessageRoutingBehaviour::Additive => false,
}
}
}
impl Default for MessageRoutingBehaviour {
fn default() -> Self {
MessageRoutingBehaviour::Additive
}
}
impl DestinationConfig {
pub fn new(routing_type: MessageRoutingBehaviour, dest_type: DestinationKind, applies_to: Option<MessageCondition>) -> Self {
Self {
routing_type,
dest_type,
applies_to,
}
}
pub fn send(&self, message: &Message) -> Result<(), Box<dyn Error>> {
self.dest_type.send_to_destination(message)
}
pub fn is_root(&self) -> bool {
self.routing_type == MessageRoutingBehaviour::Root
}
pub fn get_routing_type(&self) -> &MessageRoutingBehaviour {
&self.routing_type
}
pub fn should_receive(&self, m: &Message) -> bool {
match &self.applies_to {
Some(filter) => filter.matches(m),
None => true,
}
}
}
#[cfg(test)]
mod test {
use std::sync::mpsc;
use std::sync::mpsc::TryRecvError;
use super::*;
use crate::{Author, Level, Message};
use crate::destination::kinds::rust_receiver::RustReceiverDestination;
use crate::message::MessageDetail;
#[test]
pub fn test_send_message() {
let (send, recv) = mpsc::channel();
let dest = DestinationConfig::new(Default::default(),
DestinationKind::Test(RustReceiverDestination::create(send)),
None);
let message = Message::new(Level::Info,
None, MessageDetail::Raw("hello".to_owned()),
None, Author::parse("test".to_owned()), 104892);
assert_eq!(recv.try_recv(), Err(TryRecvError::Empty), "Should be empty before we send a message");
dest.send(&message).expect("Should not fail to send message");
assert_eq!(recv.try_recv(), Ok(message));
}
}