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
use super::*;
pub trait StrAssertions<T>
where
T: Into<String> + Clone,
{
fn contains(&self, expected: &str);
fn starts_with(&self, expected_start: &str);
fn ends_with(&self, expected_end: &str);
fn is_empty(&self);
fn is_not_empty(&self);
fn has_length(&self, expected_length: usize);
fn contains_all(&self, args: &[&str]);
fn contains_any(&self, args: &[&str]);
}
impl<T> StrAssertions<T> for Asserter<T>
where
T: Into<String> + Clone,
{
fn contains(&self, expected: &str) {
let string = self.value.clone().into();
let is_present = string.contains(expected);
if !is_present {
panic!(
"Expected {} to contain '{}', but it does not.",
self.name, expected
);
}
}
fn starts_with(&self, expected_start: &str) {
let string = self.value.clone().into();
let starts_with = string.starts_with(expected_start);
if !starts_with {
panic!(
"Expected {} to start with '{}', but it does not.",
self.name, expected_start
)
}
}
fn ends_with(&self, expected_end: &str) {
let string = self.value.clone().into();
let ends_with = string.ends_with(expected_end);
if !ends_with {
panic!(
"Expected {} to end with '{}', but it does not.",
self.name, expected_end
)
}
}
fn is_empty(&self) {
let string = self.value.clone().into();
if !string.is_empty() {
panic!("Expected {} to be empty, but it is not.", self.name)
}
}
fn is_not_empty(&self) {
let string = self.value.clone().into();
if string.is_empty() {
panic!("Expected {} to not be empty, but it is.", self.name)
}
}
fn has_length(&self, expected_length: usize) {
let string = self.value.clone().into();
let len = string.len();
if len != expected_length {
panic!(
"Expected {} to have length {}, but it has {}",
self.name, expected_length, len
);
}
}
fn contains_all(&self, args: &[&str]) {
let string = self.value.clone().into();
let contains_all = args.iter().all(|&w| string.contains(&w));
if !contains_all {
panic!(
"Expected {} '{}' to contain the strings {:?}, but it does not.",
self.name, string, args
);
}
}
fn contains_any(&self, args: &[&str]) {
let string = self.value.clone().into();
let contains_any = args.iter().any(|&w| string.contains(&w));
if !contains_any {
panic!(
"Expected {} '{}' to contain at least one of the strings {:?}, but it does not.",
self.name, string, args
);
}
}
}