qed/
lib.rs

1#![warn(clippy::all)]
2#![warn(clippy::pedantic)]
3#![warn(clippy::cargo)]
4#![cfg_attr(test, allow(clippy::non_ascii_literal))]
5#![cfg_attr(test, allow(clippy::shadow_unrelated))]
6#![allow(unknown_lints)]
7#![warn(missing_copy_implementations)]
8#![warn(missing_debug_implementations)]
9#![warn(missing_docs)]
10#![warn(rust_2018_idioms)]
11#![warn(trivial_casts, trivial_numeric_casts)]
12#![warn(unused_qualifications)]
13#![warn(variant_size_differences)]
14// Enable feature callouts in generated documentation:
15// https://doc.rust-lang.org/beta/unstable-book/language-features/doc-cfg.html
16//
17// This approach is borrowed from tokio.
18#![cfg_attr(docsrs, feature(doc_cfg))]
19#![cfg_attr(docsrs, feature(doc_alias))]
20
21//! Compile time assertions.
22//!
23//! This crate contains compile time assertion macros used for maintaining safety
24//! invariants or limiting platform support. If the assertion is false, a compiler
25//! error is emitted.
26//!
27//! # Examples
28//!
29//! ```
30//! # use core::num::NonZeroU8;
31//! # #[cfg(any(target_pointer_width = "32", target_pointer_width = "64"))]
32//! qed::const_assert!(usize::BITS >= u32::BITS);
33//! qed::const_assert_eq!("Veni, vidi, vici".len(), 16);
34//! qed::const_assert_ne!('∎'.len_utf8(), 1);
35//! qed::const_assert_matches!(NonZeroU8::new(42), Some(nz) if nz.get() == 42);
36//! ```
37//!
38//!
39//! Assertion failures will result in a compile error:
40//!
41//! ```compile_fail
42//! qed::const_assert!("non-empty string".is_empty());
43//! ```
44
45#![no_std]
46#![doc(html_root_url = "https://docs.rs/qed/1.6.1")]
47
48// Ensure code blocks in `README.md` compile
49#[cfg(all(doctest, any(target_pointer_width = "32", target_pointer_width = "64")))]
50#[doc = include_str!("../README.md")]
51mod readme {}
52
53#[doc(hidden)]
54#[allow(missing_docs)]
55pub mod imp;
56
57/// Asserts that a boolean expression is true at compile time.
58///
59/// This will result in a compile time type error if the boolean expression does
60/// not evaluate to true.
61///
62/// # Uses
63///
64/// Assertions are always checked in both debug and release builds and cannot be
65/// disabled.
66///
67/// Unsafe code and [`as` casts][casts] may rely on `const_assert!` to enforce
68/// runtime invariants that, if violated, could lead to unsafety.
69///
70/// [casts]: https://doc.rust-lang.org/nomicon/casts.html
71///
72/// Other use-cases of `const_assert!` include limiting supported platforms and
73/// architectures.
74///
75/// # Examples
76///
77/// ```
78/// // Assert at compile time that the target platform has at least 32-bit
79/// // `usize`.
80/// # #[cfg(any(target_pointer_width = "32", target_pointer_width = "64"))]
81/// qed::const_assert!(usize::BITS >= u32::BITS);
82/// ```
83///
84/// Assertion failures will result in a compile error:
85///
86/// ```compile_fail
87/// qed::const_assert!("non-empty string".is_empty());
88/// ```
89#[macro_export]
90macro_rules! const_assert {
91    ($x:expr $(,)?) => {
92        const _: () = ::core::assert!($x);
93    };
94}
95
96/// Asserts that two expressions are equal to each other (using [`PartialEq`])
97/// at compile time.
98///
99/// See also [`const_assert!`].
100///
101/// # Examples
102///
103/// ```
104/// qed::const_assert_eq!("Veni, vidi, vici".len(), 16);
105/// ```
106///
107/// The following fails to compile because the expressions are not equal:
108///
109/// ```compile_fail
110/// qed::const_assert_eq!("Carpe diem".len(), 100);
111/// ```
112#[macro_export]
113macro_rules! const_assert_eq {
114    ($x:expr, $y:expr $(,)?) => {
115        $crate::const_assert!($x == $y);
116    };
117}
118
119/// Asserts that two expressions are not equal to each other (using
120/// [`PartialEq`]) at compile time.
121///
122/// See also [`const_assert!`].
123///
124/// # Examples
125///
126/// ```
127/// const END_OF_PROOF: char = '∎';
128/// qed::const_assert_ne!(END_OF_PROOF.len_utf8(), 1);
129/// ```
130///
131/// The following fails to compile because the expressions are equal:
132///
133/// ```compile_fail
134/// const END_OF_PROOF: char = '∎';
135/// qed::const_assert_ne!(END_OF_PROOF.len_utf8(), 3);
136/// ```
137#[macro_export]
138macro_rules! const_assert_ne {
139    ($x:expr, $y:expr $(,)?) => {
140        $crate::const_assert!($x != $y);
141    };
142}
143
144/// Asserts that an expression matches any of the given patterns at compile
145/// time.
146///
147/// Like in a `match` expression, the pattern can be optionally followed by `if`
148/// and a guard expression that has access to names bound by the pattern.
149///
150/// See also [`const_assert!`].
151///
152/// # Examples
153///
154/// ```
155/// # use core::num::NonZeroU8;
156/// qed::const_assert_matches!(NonZeroU8::new(0), None);
157/// qed::const_assert_matches!(NonZeroU8::new(29), Some(_));
158/// qed::const_assert_matches!(NonZeroU8::new(42), Some(nz) if nz.get() == 42);
159/// ```
160///
161/// Assertion failures will result in a compile error:
162///
163/// ```compile_fail
164/// qed::const_assert_matches!(b"maybe c string".last(), Some(&0));
165/// ```
166#[macro_export]
167macro_rules! const_assert_matches {
168    ($left:expr, $(|)? $( $pattern:pat_param )|+ $( if $guard: expr )? $(,)?) => {
169        $crate::const_assert!(match $left {
170            $( $pattern )|+ $( if $guard )? => true,
171            _ => false,
172        });
173    };
174}
175
176/// Cast a [`u32`] to [`usize`] at runtime with a compile time assert that the
177/// cast is lossless and will not overflow.
178///
179/// This macro emits a compile time assertion that `usize` has at least as many
180/// bits as `u32`.
181///
182/// # Examples
183///
184/// ```
185/// # #![cfg(any(target_pointer_width = "32", target_pointer_width = "64"))]
186/// #[derive(Default)]
187/// struct SymbolTable {
188///     next: u32,
189///     table: [&'static str; 32],
190/// }
191///
192/// impl SymbolTable {
193///     pub fn intern(&mut self, symbol: &'static str) -> u32 {
194///         let id = self.next;
195///         let idx = qed::lossless_cast_u32_to_usize!(id);
196///         self.table[idx] = symbol;
197///         self.next += 1;
198///         id
199///     }
200/// }
201///
202/// let mut table = SymbolTable::default();
203/// assert_eq!(table.intern("end of proof"), 0);
204/// assert_eq!(table.intern("∎"), 1);
205/// ```
206///
207/// This macro requires a `u32` as its argument:
208///
209/// ```compile_fail
210/// qed::lossless_cast_u32_to_usize!(0_i32);
211/// ```
212#[macro_export]
213macro_rules! lossless_cast_u32_to_usize {
214    ($num:expr) => {{
215        $crate::const_assert!(::core::primitive::usize::BITS >= ::core::primitive::u32::BITS);
216        let num: ::core::primitive::u32 = $num;
217        num as ::core::primitive::usize
218    }};
219}
220
221/// Asserts that two types have the same size at compile time.
222///
223/// See also [`const_assert!`].
224///
225/// # Examples
226///
227/// ```
228/// qed::const_assert_size_eq!(u8, i8);
229/// qed::const_assert_size_eq!([u32; 4], i128);
230/// qed::const_assert_size_eq!(&[u8], &str);
231/// ```
232///
233/// The following fails to compile because the types have different sizes:
234///
235/// ```compile_fail
236/// qed::const_assert_size_eq!(u8, u64);
237/// ```
238#[macro_export]
239macro_rules! const_assert_size_eq {
240    ($left:ty, $right:ty $(,)?) => {
241        const _: () = {
242            let _assert = ::core::mem::transmute::<$left, $right>;
243        };
244    };
245}
246
247/// Asserts that a byte slice does not contain any NUL (`\0`) bytes.
248///
249/// This macro emits a compile error if the given slice contains any NUL bytes,
250/// including a NUL terminator.
251///
252/// # Examples
253///
254/// ```
255/// const ARRAY_CLASS: &[u8] = b"Array";
256/// qed::const_assert_bytes_has_no_nul!(ARRAY_CLASS);
257/// ```
258///
259/// The following fails to compile because the byte slice contains a NUL byte:
260///
261/// ```compile_fail
262/// const BYTES: &[u8] = b"abc\0xyz";
263/// qed::const_assert_bytes_has_no_nul!(BYTES);
264/// ```
265///
266/// The following fails to compile because the byte slice contains a NUL
267/// terminator:
268///
269/// ```compile_fail
270/// const CSTR: &[u8] = b"Q.E.D.\x00";
271/// qed::const_assert_bytes_has_no_nul!(CSTR);
272/// ```
273#[macro_export]
274macro_rules! const_assert_bytes_has_no_nul {
275    ($bytes:expr $(,)?) => {{
276        const _: &[::core::primitive::u8] = $bytes;
277
278        $crate::const_assert!(!$crate::imp::contains_nul($bytes));
279    }};
280}
281
282/// Construct a const [`CStr`] from the given bytes at compile time and assert
283/// that the given bytes are a valid `CStr` (NUL terminated with no interior NUL
284/// bytes).
285///
286/// [`CStr`]: core::ffi::CStr
287///
288/// This macro emits a compile error if the given slice contains any interior
289/// NUL bytes or does not have a NUL terminator.
290///
291/// # Examples
292///
293/// ```
294/// use core::ffi::CStr;
295///
296/// const ARRAY_CLASS: &[u8] = b"Array\0";
297/// const ARRAY_CLASS_CSTR: &CStr = qed::const_cstr_from_bytes!(ARRAY_CLASS);
298/// ```
299///
300/// The following fails to compile because the byte slice contains an interior
301/// NUL byte:
302///
303/// ```compile_fail
304/// use core::ffi::CStr;
305///
306/// const BYTES: &[u8] = b"abc\0xyz";
307/// const BYTES_CSTR: &CStr = qed::const_cstr_from_bytes!(BYTES);
308/// ```
309///
310/// The following fails to compile because the byte slice does not contain a NUL
311/// terminator:
312///
313/// ```compile_fail
314/// use core::ffi::CStr;
315///
316/// const BYTES: &[u8] = b"Q.E.D.";
317/// const BYTES_CSTR: &CStr = qed::const_cstr_from_bytes!(BYTES);
318/// ```
319///
320/// The following fails to compile because the empty byte slice is not a valid
321/// `CStr`:
322///
323/// ```compile_fail
324/// use core::ffi::CStr;
325///
326/// const EMPTY: &[u8] = b"";
327/// const CSTR: &CStr = qed::const_cstr_from_bytes!(BYTES);
328/// ```
329#[macro_export]
330macro_rules! const_cstr_from_bytes {
331    ($bytes:expr $(,)?) => {{
332        const _: &[::core::primitive::u8] = $bytes;
333
334        $crate::const_assert!($crate::imp::is_cstr($bytes));
335
336        // SAFETY
337        //
338        // The compile time assert above ensures the given bytes:
339        //
340        // - Are NUL terminated
341        // - Do not have any interior NUL bytes
342        //
343        // which meets the safety criteria for `CStr::from_bytes_with_nul_unchecked`.
344        //
345        // https://doc.rust-lang.org/stable/std/ffi/struct.CStr.html#method.from_bytes_with_nul_unchecked
346        unsafe { ::core::ffi::CStr::from_bytes_with_nul_unchecked($bytes) }
347    }};
348}
349
350/// Construct a const [`CStr`] from the given `str` at compile time and assert
351/// that the given `str` bytes are a valid `CStr` (NUL terminated with no
352/// interior NUL bytes).
353///
354/// [`CStr`]: core::ffi::CStr
355///
356/// This macro emits a compile error if the given `str` contains any interior
357/// NUL bytes or does not have a NUL terminator.
358///
359/// # Examples
360///
361/// ```
362/// use core::ffi::CStr;
363///
364/// const ARRAY_CLASS_CSTR: &CStr = qed::const_cstr_from_str!("Array\0");
365/// ```
366///
367/// The following fails to compile because the `str` slice contains an interior
368/// NUL byte:
369///
370/// ```compile_fail
371/// use core::ffi::CStr;
372///
373/// const CSTR: &CStr = qed::const_cstr_from_str!("abc\0xyz");
374/// ```
375///
376/// The following fails to compile because the `str` slice does not contain a NUL
377/// terminator:
378///
379/// ```compile_fail
380/// use core::ffi::CStr;
381///
382/// const CSTR: &CStr = qed::const_cstr_from_str!("Q.E.D.");
383/// ```
384///
385/// The following fails to compile because the empty string is not a valid
386/// `CStr`:
387///
388/// ```compile_fail
389/// use core::ffi::CStr;
390///
391/// const CSTR: &CStr = qed::const_cstr_from_str!("");
392/// ```
393#[macro_export]
394macro_rules! const_cstr_from_str {
395    ($str:expr $(,)?) => {{
396        const _: &::core::primitive::str = $str;
397
398        $crate::const_cstr_from_bytes!($str.as_bytes())
399    }};
400}
401
402#[cfg(test)]
403mod tests {
404    use ::core::ffi::CStr;
405    use ::core::num::NonZeroU8;
406
407    mod core {}
408    mod std {}
409    mod imp {}
410
411    #[test]
412    fn const_assert_no_warnings() {
413        crate::const_assert!(true);
414        crate::const_assert!(NonZeroU8::new(0).is_none());
415        crate::const_assert!(NonZeroU8::new(29).is_some());
416    }
417
418    #[test]
419    fn const_assert_eq_no_warnings() {
420        crate::const_assert_eq!(i8::BITS, u8::BITS);
421        crate::const_assert_eq!(u8::BITS, u8::BITS);
422    }
423
424    #[test]
425    fn const_assert_eq_no_warnings_literals() {
426        crate::const_assert_eq!(0, 0);
427        crate::const_assert_eq!(29_i32, 29_i32);
428    }
429
430    #[test]
431    fn const_assert_ne_no_warnings() {
432        crate::const_assert_ne!(u32::BITS, u8::BITS);
433    }
434
435    #[test]
436    fn const_assert_ne_no_warings_literals() {
437        crate::const_assert_ne!(9, 99);
438        crate::const_assert_ne!(0_i32, 29_i32);
439    }
440
441    #[test]
442    fn const_assert_matches_no_warnings() {
443        crate::const_assert_matches!(NonZeroU8::new(0), None);
444        crate::const_assert_matches!(NonZeroU8::new(29), Some(_));
445        crate::const_assert_matches!(NonZeroU8::new(29), Some(x) if x.get() == 29);
446    }
447
448    #[test]
449    fn const_assert_matches_no_warnings_literals() {
450        crate::const_assert_matches!(None::<i8>, None);
451        crate::const_assert_matches!(Some(0_i8), Some(_));
452
453        crate::const_assert_matches!(None::<i8>, None::<i8>);
454        crate::const_assert_matches!(Some(0_i8), Some(0_i8));
455    }
456
457    #[test]
458    #[cfg(any(target_pointer_width = "32", target_pointer_width = "64"))]
459    fn lossless_cast_u32_usize_no_warnings() {
460        let n = crate::lossless_cast_u32_to_usize!(29_u32);
461        assert_eq!(n, 29_usize);
462    }
463
464    #[test]
465    #[cfg(any(target_pointer_width = "32", target_pointer_width = "64"))]
466    fn lossless_cast_u32_usize_no_warnings_const() {
467        const N: usize = crate::lossless_cast_u32_to_usize!(29_u32);
468        assert_eq!(N, 29_usize);
469    }
470
471    #[test]
472    fn size_eq_reference_transmute_no_warnings() {
473        crate::const_assert_size_eq!(&[u8], &str);
474    }
475
476    #[test]
477    fn size_eq_pointer_transmute_no_warnings() {
478        crate::const_assert_size_eq!(*mut u8, *const u8);
479    }
480
481    #[test]
482    fn const_assert_bytes_has_no_nul_no_warnings() {
483        crate::const_assert_bytes_has_no_nul!("abcdefg".as_bytes());
484        crate::const_assert_bytes_has_no_nul!("".as_bytes());
485    }
486
487    #[test]
488    fn const_cstr_from_bytes_no_warnings() {
489        const CSTR: &CStr = crate::const_cstr_from_bytes!("Array\0".as_bytes());
490        const EMPTY: &CStr = crate::const_cstr_from_bytes!("\0".as_bytes());
491        assert_eq!(CSTR.to_bytes(), b"Array");
492        assert!(EMPTY.to_bytes().is_empty());
493    }
494
495    #[test]
496    fn const_cstr_from_str_no_warnings() {
497        const CSTR: &CStr = crate::const_cstr_from_str!("Array\0");
498        const EMPTY: &CStr = crate::const_cstr_from_str!("\0");
499        assert_eq!(CSTR.to_bytes(), b"Array");
500        assert!(EMPTY.to_bytes().is_empty());
501    }
502
503    #[test]
504    fn const_assert_bytes_has_no_nul_none_shadow() {
505        #[allow(dead_code)]
506        #[allow(non_upper_case_globals)]
507        const None: () = ();
508
509        crate::const_assert_bytes_has_no_nul!("abcdefg".as_bytes());
510    }
511
512    #[test]
513    fn const_assert_bytes_has_no_nul_hygiene() {
514        #[allow(dead_code)]
515        #[allow(non_camel_case_types)]
516        struct u8 {}
517        crate::const_assert_bytes_has_no_nul!("abcdefg".as_bytes());
518    }
519
520    #[test]
521    fn const_assert_hygiene_assert() {
522        #[allow(unused_macros)]
523        macro_rules! assert {
524            ($e:expr) => {
525                panic!("::core::assert! was shadowed")
526            };
527        }
528        crate::const_assert!("".is_empty());
529    }
530
531    #[test]
532    fn const_assert_hygiene_bool() {
533        #[allow(dead_code)]
534        #[allow(non_camel_case_types)]
535        struct bool {}
536        crate::const_assert!("".is_empty());
537    }
538
539    #[test]
540    fn const_assert_hygiene_usize() {
541        #[allow(dead_code)]
542        #[allow(non_camel_case_types)]
543        struct usize {}
544        crate::const_assert!("".is_empty());
545    }
546
547    #[test]
548    fn lossless_u32_to_usize_hygiene_u32() {
549        #[allow(dead_code)]
550        #[allow(non_camel_case_types)]
551        struct u32 {}
552        let n = crate::lossless_cast_u32_to_usize!(29_u32);
553        assert_eq!(n, 29_usize);
554    }
555
556    #[test]
557    fn lossless_u32_to_usize_hygiene_usize() {
558        #[allow(dead_code)]
559        #[allow(non_camel_case_types)]
560        struct usize {}
561        let n = crate::lossless_cast_u32_to_usize!(29_u32);
562        assert_eq!(n, 29_usize);
563    }
564
565    #[test]
566    fn const_cstr_from_bytes_hygiene() {
567        #[allow(dead_code)]
568        #[allow(non_camel_case_types)]
569        struct u8 {}
570        const _: &CStr = crate::const_cstr_from_str!("Abc\0");
571    }
572
573    #[test]
574    fn const_cstr_from_str_hygiene_str() {
575        #[allow(dead_code)]
576        #[allow(non_camel_case_types)]
577        struct str {}
578        const _: &CStr = crate::const_cstr_from_str!("Abc\0");
579    }
580
581    #[test]
582    fn const_cstr_from_str_hygiene_u8() {
583        #[allow(dead_code)]
584        #[allow(non_camel_case_types)]
585        struct u8 {}
586        const _: &CStr = crate::const_cstr_from_str!("Abc\0");
587    }
588
589    #[test]
590    fn const_cstr_from_str_hygiene_str_u8() {
591        #[allow(dead_code)]
592        #[allow(non_camel_case_types)]
593        struct str {}
594        #[allow(dead_code)]
595        #[allow(non_camel_case_types)]
596        struct u8 {}
597        const _: &CStr = crate::const_cstr_from_str!("Abc\0");
598    }
599}