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
use serde_derive::{Deserialize, Serialize};
use std::collections::HashMap;

/// CloudEvent which could be used to route an event.
/// They are mapped to all implemented CloudEvents standards
/// (with some exceptions mentioned per field).
#[allow(missing_docs)]
#[derive(Debug, Serialize, Deserialize, Clone, PartialEq)]
pub enum CloudEventFields {
    Id,
    Type,
    Source,
    Subject,
    /// schemaurl in v0.3
    Dataschema,
}

/// routing rules
///
/// They decide if an event get forwarded to a specified port.
#[derive(Debug, Serialize, Deserialize, Clone, PartialEq)]
pub enum RoutingRules {
    /// Routes the event to the destination if all rules match
    And(Vec<RoutingRules>),

    /// Routes the event to the destination if any rule matches
    Or(Vec<RoutingRules>),

    /// Pattern matching on field
    ///
    /// # Arguments
    ///
    /// * FieldName
    /// * String to compare to
    Exact(CloudEventFields, Option<String>),

    /// Pattern matching on field
    ///
    /// # Arguments
    ///
    /// * FieldName
    /// * String to search for
    Contains(CloudEventFields, String),

    /// Pattern matching on field
    ///
    /// # Arguments
    ///
    /// * FieldName
    /// * Strings with which the field should start with
    StartsWith(CloudEventFields, String),

    /// Pattern matching on field
    ///
    /// # Arguments
    ///
    /// * FieldName
    /// * Strings with which the field should end with
    EndsWith(CloudEventFields, String),
}

/// routing rules table
///
/// Routing rules indexed by the adapter that should receive the event
pub type RoutingTable = HashMap<String, RoutingRules>;

#[test]
fn serialize() {
    let rules = RoutingRules::Contains(CloudEventFields::Id, "1".to_string());

    let json = serde_json::to_string(&rules).unwrap();
    assert_eq!(json, "{\"Contains\":[\"Id\",\"1\"]}");
}

#[test]
fn deserialize() {
    let json = "{\"Contains\":[\"Id\",\"1\"]}";
    match serde_json::from_str::<RoutingRules>(&json) {
        Ok(rules) => assert_eq!(
            rules,
            RoutingRules::Contains(CloudEventFields::Id, "1".to_string())
        ),
        _ => assert!(false),
    }
}