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
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
/*
 * This Source Code Form is subject to the terms of the Mozilla Public
 * License, v. 2.0. If a copy of the MPL was not distributed with this
 * file, You can obtain one at https://mozilla.org/MPL/2.0/.
 */

// Copyright 2019 Nathan West

#![no_std]

//! lazy_format is a collection of
//! [`format!`](https://doc.rust-lang.org/std/macro.format.html)-style macros which lazily
//! formatting their arguments its arguments. That is, rather than immediatly
//! formatting them into a [`String`](https://doc.rust-lang.org/std/string/struct.String.html)
//! (which is what [`format!`](https://doc.rust-lang.org/std/macro.format.html))
//! does, it captures its arguments and returns an opaque struct with a
//! [`Display`](https://doc.rust-lang.org/std/fmt/trait.Display.html)
//! implementation, so that the actual formatting can happen directly into its
//! final destination buffer (such as a file or string).
//!
//! ```
//! use std::fmt::Display;
//!
//! use lazy_format::prelude::*;
//!
//! // NOTE: This is obviously profoundly unsafe and you should never actually
//! // render HTML without escape guards, code injection prevention, etc.
//! fn html_tag<'a>(tag: &'a str, content: impl Display + 'a) -> impl Display + 'a {
//!     lazy_format!("<{tag}>{content}</{tag}>", tag=tag, content=content)
//! }
//!
//! let result = html_tag("div", html_tag("p", "Hello, World!")).to_string();
//! assert_eq!(result, "<div><p>Hello, World!</p></div>");
//! ```
//!
//! # Features
//!
//! ## horrorshow
//!
//! horrorshow is a macro-based HTML templating library. If the horrorshow feature
//! is enabled, `lazy_format` objects will implement `horrorshow::Render`,
//! allowing them to be used in horrorshow templates. The formatted content will
//! be HTML-escaped by horrorshow.

/// Smarter write macro. Encodes some common patterns, such as writing an
/// empty string being a no-op. Used in the more complex lazy-format
/// operations, like conditionals, where writing only strings or empty strings,
/// is common.
#[macro_export]
#[doc(hidden)]
macro_rules! write {
    ($dest:expr, "" $(,)? ) => { ::core::fmt::Result::Ok(()) };

    ($dest:expr, $pattern:literal $(,)? ) => {
        ::core::fmt::Write::write_str($dest, $pattern)
    };

    ($dest:expr, $pattern:literal, $($args:tt)+ ) => {
        ::core::fmt::Write::write_fmt($dest, ::core::format_args!($pattern, $($args)+))
    }
}

/// Low level constructor for lazy format instances. Create a lazy formatter
/// with a custom closure as its
/// [`Display`](https://doc.rust-lang.org/std/fmt/trait.Display.html)
/// implementation, for complete control over formatting behavior at write time.
///
/// [`make_lazy_format!`] is the low-level constructor for lazy format instances.
/// It is completely customizable, insofar as it allows you to create a custom
/// [`Display::fmt`](https://doc.rust-lang.org/core/fmt/trait.Display.html#tymethod.fmt)
/// implementation at the call site.
///
/// [`make_lazy_format!`] takes a closure specification as an argument, and creates
/// a [`Display`](https://doc.rust-lang.org/std/fmt/trait.Display.html) struct
/// that captures the local environment in a closure and uses it as the
/// formatting function.
///
/// # Example:
///
/// ```
/// use std::fmt::Display;
/// use lazy_format::make_lazy_format;
///
/// let data = vec![1, 2, 3, 4, 5];
///
/// let comma_separated = make_lazy_format!(f => {
///     let mut iter = data.iter();
///     match iter.next() {
///         None => Ok(()),
///         Some(first) => {
///             write!(f, "{}", first)?;
///             iter.try_for_each(|value| write!(f, ", {}", value))
///         }
///     }
/// });
///
/// let result = comma_separated.to_string();
///
/// assert_eq!(result, "1, 2, 3, 4, 5");
/// ```
#[macro_export]
macro_rules! make_lazy_format {
    ($fmt:ident => $write:expr) => {{
        #[derive(Clone, Copy)]
        struct LazyFormat<F: Fn(&mut ::core::fmt::Formatter) -> ::core::fmt::Result>(F);

        // TODO: customize Debug impl for semi_lazy_format to include value
        impl<F: Fn(&mut ::core::fmt::Formatter) -> ::core::fmt::Result> ::core::fmt::Debug for LazyFormat<F> {
            #[inline]
            fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
                f.write_str(concat!("make_lazy_format!(", stringify!( $fmt => $write ), ")"))
            }
        }

        impl<F: Fn(&mut ::core::fmt::Formatter) -> ::core::fmt::Result> ::core::fmt::Display for LazyFormat<F> {
            #[inline]
            fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
                (self.0)(f)
            }
        }

        $crate::impl_horrorshow_for!{LazyFormat}

        LazyFormat(#[inline] move |$fmt: &mut ::core::fmt::Formatter| -> ::core::fmt::Result {
            $write
        })
    }}
}

// Because macros are *entirely* evaluated in the calling context, we have to
// split this out to ensure that the `[cfg(feature)]` is evaluated in the context
// of *this* crate, now our user's.
#[cfg(feature = "horrorshow")]
#[doc(hidden)]
#[macro_export]
macro_rules! impl_horrorshow_for {
    ($LazyFormat:ident) => {
        impl<F: Fn(&mut ::core::fmt::Formatter) -> ::core::fmt::Result> ::horrorshow::Render
            for $LazyFormat<F>
        {
            #[inline]
            fn render(&self, tmpl: &mut ::horrorshow::TemplateBuffer<'_>) {
                ::core::write!(tmpl, "{}", self)
            }
        }

        impl<F: Fn(&mut ::core::fmt::Formatter) -> ::core::fmt::Result> ::horrorshow::RenderMut
            for $LazyFormat<F>
        {
            #[inline]
            fn render_mut(&mut self, tmpl: &mut ::horrorshow::TemplateBuffer<'_>) {
                use ::horrorshow::Render;

                self.render(tmpl)
            }
        }

        impl<F: Fn(&mut ::core::fmt::Formatter) -> ::core::fmt::Result> ::horrorshow::RenderOnce
            for $LazyFormat<F>
        {
            #[inline]
            fn render_once(self, tmpl: &mut ::horrorshow::TemplateBuffer<'_>)
            where
                Self: Sized,
            {
                use ::horrorshow::Render;

                self.render(tmpl)
            }
        }
    };
}

#[cfg(not(feature = "horrorshow"))]
#[doc(hidden)]
#[macro_export]
macro_rules! impl_horrorshow_for {
    ($LazyFormat:ident) => {};
}

/// Lazily format something. Essentially the same as
/// [`format!`](https://doc.rust-lang.org/std/macro.format.html), except that
/// instead of formatting its arguments to a string, it captures them in an opaque
/// struct, which can be formatted later. This allows you to build up formatting
/// operations without any intermediary allocations or extra formatting calls. Also
/// supports lazy conditional and looping constructs.
///
/// The return value of this macro is left deliberately unspecified and
/// undocumented. The most important this about it is its
/// [`Display`](https://doc.rust-lang.org/std/fmt/trait.Display.html)
/// implementation, which executes the deferred formatting operation. It
/// also provides a [`Debug`](https://doc.rust-lang.org/std/fmt/trait.Debug.html)
/// implementation, which simply prints the [`lazy_format!`]`(...)` call without
/// evaluating any of its arguments, as well as [`Clone`] and [`Copy`] if those
/// traits are available in the captured context.
///
/// Note that this macro is completely lazy; it captures the expressions to
/// be formatted in the struct and doesn't evaluate them until the struct is
/// actually written to a
/// [`String`](https://doc.rust-lang.org/std/string/struct.String.html) or
/// [`File`](https://doc.rust-lang.org/std/fs/struct.File.html) or or other
/// writable destination. This means that the argument expression will be
/// evaluated *every* time the instance is written, which may not be what you
/// want. See [`semi_lazy_format!`] for a macro which eagerly evaluates its
/// arguments but lazily does the final formatting.
///
/// # Basic example:
///
/// ```
/// use std::fmt::Display;
/// use lazy_format::lazy_format;
///
/// fn get_hello() -> String {
///     String::from("Hello")
/// }
///
/// fn get_world() -> String {
///     String::from("World")
/// }
///
/// fn hello_world() -> impl Display {
///     lazy_format!("{}, {w}!", get_hello(), w = get_world())
/// }
///
/// let result = hello_world();
///
/// // get_hello and get_world aren't called until the object is
/// // formatted into a String.
/// let result_str = result.to_string();
/// assert_eq!(result_str, "Hello, World!");
/// ```
///
/// # Demonstation of lazy capturing:
///
/// ```
/// use std::fmt::Display;
/// use std::mem::{size_of_val, size_of};
/// use lazy_format::lazy_format;
///
///
/// fn get_formatted() -> impl Display {
///     let a: isize = 10;
///     let b: isize = 15;
///
///     lazy_format!("10 + 15: {v}, again: {v}", v = (a + b))
/// }
///
/// let result = get_formatted();
///
/// // The result captures 2 isize values (a and b) from get_formatted.
/// assert_eq!(size_of_val(&result), size_of::<isize>() * 2);
///
/// let result_str = result.to_string();
/// assert_eq!(result_str, "10 + 15: 25, again: 25");
/// ```
///
/// # Conditional formatting
///
/// `lazy_format!` supports conditional formatting with `match`- or `if`-
/// style syntax. When doing a conditional format, add the formatting pattern
/// and arguments directly into the `match` arms or `if` blocks, rather than
/// code; this allows conditional formatting to still be captured in a single
/// static type.
///
/// ## `match` conditional example:
///
/// ```
/// use std::fmt::Display;
/// use lazy_format::lazy_format;
///
/// fn get_number(num: usize) -> impl Display {
///     // Note that the parenthesis in the match conditional are required,
///     // due to limitations in Rust's macro parsing (can't follow an
///     // expression with `{}`)
///     lazy_format!(match (num) {
///         0 => ("Zero"),
///         1 => ("One"),
///         2 => ("Two"),
///         | 3 => ("Three"),
///         4 | 5 => ("Four or five"),
///         value if value % 2 == 0 => ("A large even number: {}", value),
///         value => ("An unrecognized number: {v}", v = value),
///     })
/// }
///
/// assert_eq!(get_number(0).to_string(), "Zero");
/// assert_eq!(get_number(1).to_string(), "One");
/// assert_eq!(get_number(2).to_string(), "Two");
/// assert_eq!(get_number(3).to_string(), "Three");
/// assert_eq!(get_number(4).to_string(), "Four or five");
/// assert_eq!(get_number(5).to_string(), "Four or five");
/// assert_eq!(get_number(6).to_string(), "A large even number: 6");
/// assert_eq!(get_number(7).to_string(), "An unrecognized number: 7");
/// ```
///
/// ## `if` conditional example:
///
/// ```
/// use std::fmt::Display;
/// use lazy_format::lazy_format;
///
/// fn describe_number(value: isize) -> impl Display {
///     lazy_format!(
///         if value < 0 => ("A negative number: {}", value)
///         else if value % 3 == 0 => ("A number divisible by 3: {}", value)
///         else if value % 2 == 1 => ("An odd number: {}", value)
///         else ("Some other kind of number")
///     )
/// }
///
/// assert_eq!(describe_number(-2).to_string(), "A negative number: -2");
/// assert_eq!(describe_number(-1).to_string(), "A negative number: -1");
/// assert_eq!(describe_number(0).to_string(), "A number divisible by 3: 0");
/// assert_eq!(describe_number(1).to_string(), "An odd number: 1");
/// assert_eq!(describe_number(2).to_string(), "Some other kind of number");
/// assert_eq!(describe_number(3).to_string(), "A number divisible by 3: 3");
/// ```
///
/// ## `if let` conditional example:
///
/// ```
/// use std::fmt::Display;
/// use lazy_format::lazy_format;
///
/// fn describe_optional_number(value: Option<isize>) -> impl Display {
///     lazy_format!(
///         if let Some(10) = value => ("It's ten!")
///         else if let Some(3) | Some(4) = value => ("It's three or four!")
///         else if let | Some(0) = value => ("It's zero!")
///         else if let Some(x) = value => ("It's some other value: {}", x)
///         else => ("It's not a number!")
///     )
/// }
///
/// assert_eq!(describe_optional_number(Some(10)).to_string(), "It's ten!");
/// assert_eq!(describe_optional_number(Some(3)).to_string(), "It's three or four!");
/// assert_eq!(describe_optional_number(Some(4)).to_string(), "It's three or four!");
/// assert_eq!(describe_optional_number(Some(0)).to_string(), "It's zero!");
/// assert_eq!(describe_optional_number(Some(5)).to_string(), "It's some other value: 5");
/// assert_eq!(describe_optional_number(None).to_string(), "It's not a number!");
/// ```
///
/// # Looping formatting
///
/// `lazy_format!` supports formatting elements in a collection with a loop.
/// There are a few supported syntaxes:
///
/// ```
/// use std::fmt::Display;
/// use lazy_format::lazy_format;
///
/// let list = vec![1i32, 2, 3, 4];
/// let list_ref = &list;
///
/// // Format each element in the iterable without additional arguments to `format_args`
/// let simple_semicolons = lazy_format!("{v}; " for v in list_ref.iter().map(|x| x - 1));
/// assert_eq!(simple_semicolons.to_string(), "0; 1; 2; 3; ");
///
/// // Perform a full format with additional arguments on each element in the iterable.
/// let header = "Value";
/// let full_format = lazy_format!(("{}: {}; ", header, v) for v in list_ref);
/// assert_eq!(full_format.to_string(), "Value: 1; Value: 2; Value: 3; Value: 4; ");
/// ```
///
/// Note that these looping formatters are not suitable for doing something like
/// a comma separated list, since they'll apply the formatting to all elements.
/// For a lazy string joining library, which only inserts separators between
/// elements in a list, check out [joinery](/joinery).
#[macro_export]
macro_rules! lazy_format {
    // Basic lazy format: collect $args and format via `$pattern` when writing
    // to a destination
    ($pattern:literal $(, $($args:tt)*)?) => {
        $crate::make_lazy_format!(f => $crate::write!(f, $pattern $(, $($args)*)?))
    };

    // Conditional lazy format: evaluate a match expression and format based on
    // the matching arm
    (match ($condition:expr) {
        $(
            $(|)? $match_pattern:pat
            $(| $trailing_pattern:pat)*
            $(if $guard:expr)?
            => ($pattern:literal $($args:tt)*)
        ),* $(,)?
    }) => {
        $crate::make_lazy_format!(f => match ($condition) {
            $(
                $match_pattern
                $(| $trailing_pattern)*
                $(if $guard)?
                => $crate::write!(f, $pattern $($args)*),
            )*
        })
    };

    // Conditional pattern lazy format: evaluate

    // Conditional lazy format: evaluate an if / else if / else expression and
    // format based on the successful branch
    (
        if $(let $(|)? $match:pat $(| $trailing_match:pat)* = )? $condition:expr
            => ($pattern:literal $($args:tt)*)
        $(else if $(let $(|)? $elseif_match:pat $(| $elseif_trailing_match:pat)* = )? $elseif_condition:expr
            => ($elseif_pattern:literal $($elseif_args:tt)*))*
        else $(=>)? ($else_pattern:literal $($else_args:tt)*)
    ) => {
        $crate::make_lazy_format!(f => if $(let $match $(| $trailing_match)* = )? $condition {
            $crate::write!(f, $pattern $($args)*)
        } $(else if $(let $elseif_match $(| $elseif_trailing_match)* = )? $elseif_condition {
            $crate::write!(f, $elseif_pattern $($elseif_args)*)
        })* else {
            $crate::write!(f, $else_pattern $($else_args)*)
        })
    };

    // Looping formatter: format each `$item` in `$collection` with `$pattern`
    ($pattern:literal for $item:ident in $collection:expr) => {
        $crate::lazy_format!(($pattern, $item = $item) for $item in $collection)
    };

    // Looping formatter: format each `$item` in `$collection` with the format
    // arguments
    (($pattern:literal $($args:tt)*) for $item:ident in $collection:expr) => {
        $crate::make_lazy_format!(f =>
            ::core::iter::IntoIterator::into_iter($collection)
                .try_for_each(move |$item| $crate::write!(f, $pattern $($args)*))
        )
    };
}

/// Lazily format something by eagerly evaluate the arguments ahead of time,
/// then storing them and formatting them at write time.
///
/// This macro is essentially the same as
/// [`format!`](https://doc.rust-lang.org/std/macro.format.html), except that
/// instead of formatting its arguments to a string, it evaluates them and
/// captures them in an opaque struct, which can be formatted later. This allows
/// you to build up formatting operations without any extra allocations or
/// formatting calls.
///
/// The return value of this macro is left deliberately unspecified and
/// undocumented. The most important thing about it is its
/// [`Display`](https://doc.rust-lang.org/std/fmt/trait.Display.html)
/// implementation, which executes the deferred formatting operation. It
/// also provides [`Clone`] and [`Copy`] if those traits are implementated in all
/// of the evaluated formatting arguments.
///
/// Unlike [`lazy_format`], this macro is partially lazy, in that it evaluates
/// its argument expressions and stores the values to be formatted later. This
/// is often more convenient, especially if the formatted values are simple
/// data types like integers and `&str`. This can also make using the value
/// easier, as its less likely to capture locally scoped variable or references
/// and therefore have lifetime issues.
///
/// ```
/// use std::fmt::Display;
/// use std::mem::{size_of_val, size_of};
/// use lazy_format::semi_lazy_format;
///
/// fn get_formatted() -> impl Display {
///     let x: isize = 512;
///     let y: isize = 512;
///     semi_lazy_format!("value: {v}, again: {v}", v = (x + y))
/// }
///
/// let result = get_formatted();
///
/// // At this point, addition expression has been performed. `result`
/// // captures only the result of the expression, rather than the two
/// // operands.
/// assert_eq!(size_of_val(&result), size_of::<isize>());
///
/// let result_str = result.to_string();
/// assert_eq!(result_str, "value: 1024, again: 1024");
/// ```
///
/// [`semi_lazy_format`] supports `match`-like formatting expressions, with the
/// same syntax as [`lazy_format`]. In this case, only the condition is
/// evaluated ahead of time; the match itself is deferred until the object is
/// written, due to limitations in the type system.
///
/// ```
///
/// use std::fmt::Display;
/// use std::mem::{size_of_val, size_of};
/// use lazy_format::semi_lazy_format;
///
/// fn get_formatted() -> impl Display {
///     let opt1 = Some(10 as isize);
///     let opt2 = Some(20 as isize);
///     let opt3 = Some(30 as isize);
///
///     semi_lazy_format!(match (
///         opt1.and(opt2).and(opt3)
///     ) {
///         Some(value) => ("value: {}", value),
///         None => ("no value."),
///     })
/// }
///
/// let result = get_formatted();
/// assert_eq!(size_of_val(&result), size_of::<Option<isize>>());
///
/// let result_str = result.to_string();
/// assert_eq!(result_str, "value: 30");
///
/// ```
#[macro_export]
macro_rules! semi_lazy_format {
    (match ($condition:expr) {
        $(
            $(|)? $match_pattern:pat
            $(| $trailing_pattern:pat)*
            $(if $guard:expr)?
            => ($pattern:literal $($args:tt)*)
        ),* $(,)?
    }) => {{
        let evaluated_condition = $condition;

        $crate::lazy_format!(match (evaluated_condition) {
            $(
                $match_pattern
                $(| $trailing_pattern)*
                $(if $guard)?
                => ($pattern $($args)*),
            )*
        })
    }};

    // TODO: Debug implementation with values
    ($pattern:literal $($args:tt)*) => {
        $crate::semi_lazy_format_impl!(@ @ @ $pattern $($args)*)
    };
}

/// Implementation macro semi_lazy_format
#[doc(hidden)]
#[macro_export]
macro_rules! semi_lazy_format_impl {
    (
        @ $({ $positional_value:ident })*
        @ $({ $keyed_name:ident = $keyed_value:ident })*
        @ $pattern:literal $(,)?
    ) => {
        $crate::lazy_format!(
            $pattern,
            $($positional_value,)*
            $($keyed_name = $keyed_value,)*
        )
    };

    (
        @ $({ $positional_value:ident })*
        @ $({ $keyed_name:ident = $keyed_value:ident })*
        @ $pattern:literal,
        $name:ident = $value:expr
        $(, $tail_name:ident = $tail_value:expr)* $(,)?
    ) => {{
        let value = $value;

        $crate::semi_lazy_format_impl!(
            @ $({ $positional_value })*
            @ $({ $keyed_name = $keyed_value })* { $name = value }
            @ $pattern
            $(, $tail_name = $tail_value)*
        )
    }};

    // The trick here is to use a hygenic identifier. The `value` name used in
    // this step of the evaluation is considered distinct from the other ones.
    (
        @ $({ $positional_value:ident })*
        @ $({ $keyed_name:ident = $keyed_value:ident })*
        @ $pattern:literal,
        $value:expr
        $(, $($tail:tt)*)?
    ) => {{
        let value = $value;

        $crate::semi_lazy_format_impl!(
            @ $({ $positional_value })* { value }
            @ $({ $keyed_name = $keyed_value })*
            @ $pattern
            $(, $($tail)*)?
        )
    }};
}

pub mod prelude {
    pub use crate::{lazy_format, make_lazy_format, semi_lazy_format};
}

/// The syntax of semi_lazy_format is fairly complicated; these tests are
/// provided to ensure there are no failures. Putting them here (rather than
/// in /tests) allows us to get better compiler diagnostics. Note that we can't
/// actually test the evaluated result of these expressions, because we don't
/// have a viable `write!` target (since we're in no_std so there are no
/// strings)
#[cfg(test)]
mod semi_lazy_format_syntax_tests {
    #[test]
    fn test_no_args() {
        let _result = semi_lazy_format!("Hello, World!");
    }

    #[test]
    fn test_trailing_comma() {
        let _result = semi_lazy_format!("Hello, World!",);
    }

    #[test]
    fn test_one_arg() {
        let _result = semi_lazy_format!("{}!", "Hello, World");
    }

    #[test]
    fn test_one_arg_trailing_comma() {
        let _result = semi_lazy_format!("{}!", "Hello, World",);
    }

    #[test]
    fn test_two_args() {
        let _result = semi_lazy_format!("{}, {}!", "Hello", "World");
    }

    #[test]
    fn test_two_args_trailing_comma() {
        let _result = semi_lazy_format!("{}, {}!", "Hello", "World",);
    }

    #[test]
    fn test_one_named_arg() {
        let _result = semi_lazy_format!("{text}!", text = "Hello, World");
    }

    #[test]
    fn test_one_named_arg_trailing_comma() {
        let _result = semi_lazy_format!("{text}!", text = "Hello, World",);
    }

    #[test]
    fn test_two_named_args() {
        let _result = semi_lazy_format!("{h}, {w}!", h = "Hello", w = "World");
    }

    #[test]
    fn test_two_named_args_trailing_comma() {
        let _result = semi_lazy_format!("{h}, {w}!", h = "Hello", w = "World",);
    }

    #[test]
    fn test_mixed_args() {
        let _result = semi_lazy_format!("{}, {w}!", "Hello", w = "World");
    }

    #[test]
    fn test_mixed_args_trailing_comma() {
        let _result = semi_lazy_format!("{}, {w}!", "Hello", w = "World",);
    }

    #[test]
    fn test_many_args() {
        let _result = semi_lazy_format!(
            "{} {} {} {a} {b} {} {b} {a} {}",
            1,
            2,
            3,
            4,
            5,
            a = 10,
            b = 20,
        );
    }
}