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
use crate::core::{Join, Matcher, SourceLocation, TestResult};

/// Creates a new instance of `ActualValue` using `value`.
///
/// This function intended to replace an `expect!` macro if desired.
pub fn expect<A>(value: A) -> ActualValue<A> {
    ActualValue::new(value)
}

/// Represent an actual value and optional location of a test case in a source code.
#[derive(Debug)]
pub struct ActualValue<A> {
    value: A,
    location: Option<SourceLocation>,
}

impl<A> ActualValue<A> {
    /// Creates a new instance of `ActualValue` using `value`.
    ///
    /// Also to create a new instance you can use `expect` function or `expect!` macro.
    /// Macro is better because it can save location of a test case in a source code.
    pub fn new(value: A) -> Self {
        ActualValue {
            value: value,
            location: None,
        }
    }

    /// Sets a new `SourceLocation`.
    pub fn location(mut self, l: SourceLocation) -> Self {
        self.location = Some(l);
        self
    }

    /// Performs assertion matching using `matcher`. Returns a new instance of `TestResult`.
    pub fn to<M, E>(self, matcher: M) -> TestResult
    where
        M: Matcher<A, E>,
    {
        self.matching(matcher, Join::To)
    }

    /// Performs negation matching using `matcher`. Returns a new instance of `TestResult`.
    pub fn to_not<M, E>(self, matcher: M) -> TestResult
    where
        M: Matcher<A, E>,
    {
        self.matching(matcher, Join::ToNot)
    }

    /// Performs negation matching using `matcher`. Returns a new instance of `TestResult`.
    pub fn not_to<M, E>(self, matcher: M) -> TestResult
    where
        M: Matcher<A, E>,
    {
        self.matching(matcher, Join::NotTo)
    }

    /// Performs matching using `matcher` and `join`. Returns a new instance of `TestResult`.
    fn matching<M, E>(self, matcher: M, join: Join) -> TestResult
    where
        M: Matcher<A, E>,
    {
        let success = if join.is_assertion() {
            matcher.matches(&self.value)
        } else {
            !matcher.matches(&self.value)
        };
        if success {
            TestResult::new_success()
        } else {
            let message = matcher.failure_message(join, &self.value);
            TestResult::new_failure(message, self.location)
        }
    }
}