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
114
use super::*;
use std::panic;
use std::sync::{Arc, Mutex};
lazy_static! {
static ref LOCK_FOR_PANIC_ASSERTER: std::sync::Mutex<()> = Mutex::new(());
}
pub struct PanicAssertions {
actual_panic_message: String,
}
impl PanicAssertions {
pub fn new(actual_panic_message: String) -> PanicAssertions {
PanicAssertions {
actual_panic_message,
}
}
pub fn with_message(self, expected_panic_message: &str) {
if self.actual_panic_message != expected_panic_message {
panic!(
"Expected a panic message '{}', but found '{}'",
expected_panic_message, self.actual_panic_message
)
}
}
pub fn with_having_message(self, expected_panic_message: &str) {
if !self.actual_panic_message.contains(expected_panic_message) {
panic!(
"The text '{}' is not present in the panic message '{}'",
expected_panic_message, self.actual_panic_message
)
}
}
}
impl<F, R> PanicAsserter<F, R>
where
F: FnOnce() -> R + panic::UnwindSafe,
{
pub fn new(f: F) -> Self {
PanicAsserter { value: f }
}
pub fn panics(self) -> PanicAssertions {
let _guard = LOCK_FOR_PANIC_ASSERTER.lock();
let old_hook = panic::take_hook();
let global_buffer = Arc::new(Mutex::new(String::new()));
register_panic_hook_to_capture_output(&global_buffer);
let result = panic::catch_unwind(self.value);
panic::set_hook(old_hook);
PanicAssertions {
actual_panic_message: get_panic_message_if_present(result, global_buffer),
}
}
pub fn does_not_panic(self) {
let result = self.catch_unwind_silent();
if result.is_err() {
panic!("Expected code to panic, but it does not panic.");
}
}
fn catch_unwind_silent(self) -> std::thread::Result<R> {
let old_hook = panic::take_hook();
panic::set_hook(Box::new(|_| {}));
let result = panic::catch_unwind(self.value);
panic::set_hook(old_hook);
result
}
}
fn register_panic_hook_to_capture_output(global_buffer: &Arc<Mutex<String>>) {
panic::set_hook({
let global_buffer = global_buffer.clone();
Box::new(move |info| {
let mut global_buffer = global_buffer.lock().unwrap();
if let Some(s) = info.payload().downcast_ref::<&str>() {
global_buffer.push_str(s);
}
if let Some(s) = info.payload().downcast_ref::<String>() {
global_buffer.push_str(s);
}
})
});
}
fn get_panic_message_if_present<R>(
result: Result<R, Box<dyn std::any::Any + Send>>,
global_buffer: Arc<Mutex<String>>,
) -> String {
match result {
Ok(_res) => {
panic!("There was no panic, but it was expected.")
}
Err(_) => {
return global_buffer.lock().unwrap().to_string();
}
}
}