pretty_assertions/
lib.rs

1//! # Pretty Assertions
2//!
3//! When writing tests in Rust, you'll probably use `assert_eq!(a, b)` _a lot_.
4//!
5//! If such a test fails, it will present all the details of `a` and `b`.
6//! But you have to spot the differences yourself, which is not always straightforward,
7//! like here:
8//!
9//! ![standard assertion](https://raw.githubusercontent.com/colin-kiegel/rust-pretty-assertions/2d2357ff56d22c51a86b2f1cfe6efcee9f5a8081/examples/standard_assertion.png)
10//!
11//! Wouldn't that task be _much_ easier with a colorful diff?
12//!
13//! ![pretty assertion](https://raw.githubusercontent.com/colin-kiegel/rust-pretty-assertions/2d2357ff56d22c51a86b2f1cfe6efcee9f5a8081/examples/pretty_assertion.png)
14//!
15//! Yep — and you only need **one line of code** to make it happen:
16//!
17//! ```rust
18//! use pretty_assertions::{assert_eq, assert_ne};
19//! ```
20//!
21//! <details>
22//! <summary>Show the example behind the screenshots above.</summary>
23//!
24//! ```rust,should_panic
25//! // 1. add the `pretty_assertions` dependency to `Cargo.toml`.
26//! // 2. insert this line at the top of each module, as needed
27//! use pretty_assertions::{assert_eq, assert_ne};
28//!
29//! #[derive(Debug, PartialEq)]
30//! struct Foo {
31//!     lorem: &'static str,
32//!     ipsum: u32,
33//!     dolor: Result<String, String>,
34//! }
35//!
36//! let x = Some(Foo { lorem: "Hello World!", ipsum: 42, dolor: Ok("hey".to_string())});
37//! let y = Some(Foo { lorem: "Hello Wrold!", ipsum: 42, dolor: Ok("hey ho!".to_string())});
38//!
39//! assert_eq!(x, y);
40//! ```
41//! </details>
42//!
43//! ## Tip
44//!
45//! Specify it as [`[dev-dependencies]`](http://doc.crates.io/specifying-dependencies.html#development-dependencies)
46//! and it will only be used for compiling tests, examples, and benchmarks.
47//! This way the compile time of `cargo build` won't be affected!
48//!
49//! Also add `#[cfg(test)]` to your `use` statements, like this:
50//!
51//! ```rust
52//! #[cfg(test)]
53//! use pretty_assertions::{assert_eq, assert_ne};
54//! ```
55//!
56//! ## Note
57//!
58//! * Since `Rust 2018` edition, you need to declare
59//!   `use pretty_assertions::{assert_eq, assert_ne};` per module.
60//!   Before you would write `#[macro_use] extern crate pretty_assertions;`.
61//! * The replacement is only effective in your own crate, not in other libraries
62//!   you include.
63//! * `assert_ne` is also switched to multi-line presentation, but does _not_ show
64//!   a diff.
65//!
66//! ## Features
67//!
68//! Features provided by the crate are:
69//!
70//! - `std`: Use the Rust standard library. Enabled by default.
71//!   Exactly one of `std` and `alloc` is required.
72//! - `alloc`: Use the `alloc` crate.
73//!   Exactly one of `std` and `alloc` is required.
74//! - `unstable`: opt-in to unstable features that may not follow Semantic Versioning.
75//!   Implmenetion behind this feature is subject to change without warning between patch versions.
76
77#![cfg_attr(not(feature = "std"), no_std)]
78#![deny(clippy::all, missing_docs, unsafe_code)]
79
80#[cfg(feature = "alloc")]
81#[macro_use]
82extern crate alloc;
83pub use ansi_term::Style;
84use core::fmt::{self, Debug, Display};
85
86mod printer;
87
88#[cfg(windows)]
89use ctor::*;
90#[cfg(windows)]
91#[ctor]
92fn init() {
93    output_vt100::try_init().ok(); // Do not panic on fail
94}
95
96/// A comparison of two values.
97///
98/// Where both values implement `Debug`, the comparison can be displayed as a pretty diff.
99///
100/// ```
101/// use pretty_assertions::Comparison;
102///
103/// print!("{}", Comparison::new(&123, &134));
104/// ```
105///
106/// The values may have different types, although in practice they are usually the same.
107pub struct Comparison<'a, TLeft, TRight>
108where
109    TLeft: ?Sized,
110    TRight: ?Sized,
111{
112    left: &'a TLeft,
113    right: &'a TRight,
114}
115
116impl<'a, TLeft, TRight> Comparison<'a, TLeft, TRight>
117where
118    TLeft: ?Sized,
119    TRight: ?Sized,
120{
121    /// Store two values to be compared in future.
122    ///
123    /// Expensive diffing is deferred until calling `Debug::fmt`.
124    pub fn new(left: &'a TLeft, right: &'a TRight) -> Comparison<'a, TLeft, TRight> {
125        Comparison { left, right }
126    }
127}
128
129impl<'a, TLeft, TRight> Display for Comparison<'a, TLeft, TRight>
130where
131    TLeft: Debug + ?Sized,
132    TRight: Debug + ?Sized,
133{
134    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
135        // To diff arbitary types, render them as debug strings
136        let left_debug = format!("{:#?}", self.left);
137        let right_debug = format!("{:#?}", self.right);
138        // And then diff the debug output
139        printer::write_header(f)?;
140        printer::write_lines(f, &left_debug, &right_debug)
141    }
142}
143
144/// A comparison of two strings.
145///
146/// In contrast to [`Comparison`], which uses the [`core::fmt::Debug`] representation,
147/// `StrComparison` uses the string values directly, resulting in multi-line output for multiline strings.
148///
149/// ```
150/// use pretty_assertions::StrComparison;
151///
152/// print!("{}", StrComparison::new("foo\nbar", "foo\nbaz"));
153/// ```
154///
155/// ## Value type bounds
156///
157/// Any value that can be referenced as a [`str`] via [`AsRef`] may be used:
158///
159/// ```
160/// use pretty_assertions::StrComparison;
161///
162/// #[derive(PartialEq)]
163/// struct MyString(String);
164///
165/// impl AsRef<str> for MyString {
166///     fn as_ref(&self) -> &str {
167///         &self.0
168///     }
169/// }
170///
171/// print!(
172///     "{}",
173///     StrComparison::new(
174///         &MyString("foo\nbar".to_owned()),
175///         &MyString("foo\nbaz".to_owned()),
176///     ),
177/// );
178/// ```
179///
180/// The values may have different types, although in practice they are usually the same.
181pub struct StrComparison<'a, TLeft, TRight>
182where
183    TLeft: ?Sized,
184    TRight: ?Sized,
185{
186    left: &'a TLeft,
187    right: &'a TRight,
188}
189
190impl<'a, TLeft, TRight> StrComparison<'a, TLeft, TRight>
191where
192    TLeft: AsRef<str> + ?Sized,
193    TRight: AsRef<str> + ?Sized,
194{
195    /// Store two values to be compared in future.
196    ///
197    /// Expensive diffing is deferred until calling `Debug::fmt`.
198    pub fn new(left: &'a TLeft, right: &'a TRight) -> StrComparison<'a, TLeft, TRight> {
199        StrComparison { left, right }
200    }
201}
202
203impl<'a, TLeft, TRight> Display for StrComparison<'a, TLeft, TRight>
204where
205    TLeft: AsRef<str> + ?Sized,
206    TRight: AsRef<str> + ?Sized,
207{
208    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
209        printer::write_header(f)?;
210        printer::write_lines(f, self.left.as_ref(), self.right.as_ref())
211    }
212}
213
214/// Asserts that two expressions are equal to each other (using [`PartialEq`]).
215///
216/// On panic, this macro will print a diff derived from [`Debug`] representation of
217/// each value.
218///
219/// This is a drop in replacement for [`core::assert_eq!`].
220/// You can provide a custom panic message if desired.
221///
222/// # Examples
223///
224/// ```
225/// use pretty_assertions::assert_eq;
226///
227/// let a = 3;
228/// let b = 1 + 2;
229/// assert_eq!(a, b);
230///
231/// assert_eq!(a, b, "we are testing addition with {} and {}", a, b);
232/// ```
233#[macro_export]
234macro_rules! assert_eq {
235    ($left:expr, $right:expr$(,)?) => ({
236        $crate::assert_eq!(@ $left, $right, "", "");
237    });
238    ($left:expr, $right:expr, $($arg:tt)*) => ({
239        $crate::assert_eq!(@ $left, $right, ": ", $($arg)+);
240    });
241    (@ $left:expr, $right:expr, $maybe_colon:expr, $($arg:tt)*) => ({
242        match (&($left), &($right)) {
243            (left_val, right_val) => {
244                if !(*left_val == *right_val) {
245                    use $crate::private::CreateComparison;
246                    ::core::panic!("assertion failed: `(left == right)`{}{}\
247                       \n\
248                       \n{}\
249                       \n",
250                       $maybe_colon,
251                       format_args!($($arg)*),
252                       (left_val, right_val).create_comparison()
253                    )
254                }
255            }
256        }
257    });
258}
259
260/// Asserts that two expressions are equal to each other (using [`PartialEq`]).
261///
262/// On panic, this macro will print a diff derived from each value's [`str`] representation.
263/// See [`StrComparison`] for further details.
264///
265/// This is a drop in replacement for [`core::assert_eq!`].
266/// You can provide a custom panic message if desired.
267///
268/// # Examples
269///
270/// ```
271/// use pretty_assertions::assert_str_eq;
272///
273/// let a = "foo\nbar";
274/// let b = ["foo", "bar"].join("\n");
275/// assert_str_eq!(a, b);
276///
277/// assert_str_eq!(a, b, "we are testing concatenation with {} and {}", a, b);
278/// ```
279#[macro_export]
280macro_rules! assert_str_eq {
281    ($left:expr, $right:expr$(,)?) => ({
282        $crate::assert_str_eq!(@ $left, $right, "", "");
283    });
284    ($left:expr, $right:expr, $($arg:tt)*) => ({
285        $crate::assert_str_eq!(@ $left, $right, ": ", $($arg)+);
286    });
287    (@ $left:expr, $right:expr, $maybe_colon:expr, $($arg:tt)*) => ({
288        match (&($left), &($right)) {
289            (left_val, right_val) => {
290                if !(*left_val == *right_val) {
291                    ::core::panic!("assertion failed: `(left == right)`{}{}\
292                       \n\
293                       \n{}\
294                       \n",
295                       $maybe_colon,
296                       format_args!($($arg)*),
297                       $crate::StrComparison::new(left_val, right_val)
298                    )
299                }
300            }
301        }
302    });
303}
304
305/// Asserts that two expressions are not equal to each other (using [`PartialEq`]).
306///
307/// On panic, this macro will print the values of the expressions with their
308/// [`Debug`] representations.
309///
310/// This is a drop in replacement for [`core::assert_ne!`].
311/// You can provide a custom panic message if desired.
312///
313/// # Examples
314///
315/// ```
316/// use pretty_assertions::assert_ne;
317///
318/// let a = 3;
319/// let b = 2;
320/// assert_ne!(a, b);
321///
322/// assert_ne!(a, b, "we are testing that the values are not equal");
323/// ```
324#[macro_export]
325macro_rules! assert_ne {
326    ($left:expr, $right:expr$(,)?) => ({
327        $crate::assert_ne!(@ $left, $right, "", "");
328    });
329    ($left:expr, $right:expr, $($arg:tt)+) => ({
330        $crate::assert_ne!(@ $left, $right, ": ", $($arg)+);
331    });
332    (@ $left:expr, $right:expr, $maybe_colon:expr, $($arg:tt)+) => ({
333        match (&($left), &($right)) {
334            (left_val, right_val) => {
335                if *left_val == *right_val {
336                    ::core::panic!("assertion failed: `(left != right)`{}{}\
337                        \n\
338                        \n{}:\
339                        \n{:#?}\
340                        \n\
341                        \n",
342                        $maybe_colon,
343                        format_args!($($arg)+),
344                        $crate::Style::new().bold().paint("Both sides"),
345                        left_val
346                    )
347                }
348            }
349        }
350    });
351}
352
353/// Asserts that a value matches a pattern.
354///
355/// On panic, this macro will print a diff derived from [`Debug`] representation of
356/// the value, and a string representation of the pattern.
357///
358/// This is a drop in replacement for [`core::assert_matches::assert_matches!`].
359/// You can provide a custom panic message if desired.
360///
361/// # Examples
362///
363/// ```
364/// use pretty_assertions::assert_matches;
365///
366/// let a = Some(3);
367/// assert_matches!(a, Some(_));
368///
369/// assert_matches!(a, Some(value) if value > 2, "we are testing {:?} with a pattern", a);
370/// ```
371///
372/// # Features
373///
374/// Requires the `unstable` feature to be enabled.
375///
376/// **Please note:** implementation under the `unstable` feature may be changed between
377/// patch versions without warning.
378#[cfg(feature = "unstable")]
379#[macro_export]
380macro_rules! assert_matches {
381    ($left:expr, $( $pattern:pat )|+ $( if $guard: expr )? $(,)?) => ({
382        match $left {
383            $( $pattern )|+ $( if $guard )? => {}
384            ref left_val => {
385                $crate::assert_matches!(
386                    @
387                    left_val,
388                    ::core::stringify!($($pattern)|+ $(if $guard)?),
389                    "",
390                    ""
391                );
392            }
393        }
394    });
395    ($left:expr, $( $pattern:pat )|+ $( if $guard: expr )?, $($arg:tt)+) => ({
396        match $left {
397            $( $pattern )|+ $( if $guard )? => {}
398            ref left_val => {
399                $crate::assert_matches!(
400                    @
401                    left_val,
402                    ::core::stringify!($($pattern)|+ $(if $guard)?),
403                    ": ",
404                    $($arg)+
405                );
406            }
407        }
408
409    });
410    (@ $left:expr, $right:expr, $maybe_colon:expr, $($arg:tt)*) => ({
411        match (&($left), &($right)) {
412            (left_val, right_val) => {
413                // Use the Display implementation to display the pattern,
414                // as using Debug would add another layer of quotes to the output.
415                struct Pattern<'a>(&'a str);
416                impl ::core::fmt::Debug for Pattern<'_> {
417                    fn fmt(&self, f: &mut ::core::fmt::Formatter<'_>) -> ::core::fmt::Result {
418                        ::core::fmt::Display::fmt(self.0, f)
419                    }
420                }
421
422                ::core::panic!("assertion failed: `(left matches right)`{}{}\
423                   \n\
424                   \n{}\
425                   \n",
426                   $maybe_colon,
427                   format_args!($($arg)*),
428                   $crate::Comparison::new(left_val, &Pattern(right_val))
429                )
430            }
431        }
432    });
433}
434
435// Not public API. Used by the expansion of this crate's assert macros.
436#[doc(hidden)]
437pub mod private {
438    #[cfg(feature = "alloc")]
439    use alloc::string::String;
440
441    pub trait CompareAsStrByDefault: AsRef<str> {}
442    impl CompareAsStrByDefault for str {}
443    impl CompareAsStrByDefault for String {}
444    impl<T: CompareAsStrByDefault + ?Sized> CompareAsStrByDefault for &T {}
445
446    pub trait CreateComparison {
447        type Comparison;
448        fn create_comparison(self) -> Self::Comparison;
449    }
450
451    impl<'a, T, U> CreateComparison for &'a (T, U) {
452        type Comparison = crate::Comparison<'a, T, U>;
453        fn create_comparison(self) -> Self::Comparison {
454            crate::Comparison::new(&self.0, &self.1)
455        }
456    }
457
458    impl<'a, T, U> CreateComparison for (&'a T, &'a U)
459    where
460        T: CompareAsStrByDefault + ?Sized,
461        U: CompareAsStrByDefault + ?Sized,
462    {
463        type Comparison = crate::StrComparison<'a, T, U>;
464        fn create_comparison(self) -> Self::Comparison {
465            crate::StrComparison::new(self.0, self.1)
466        }
467    }
468}