]> git.lizzy.rs Git - rust.git/blob - src/libstd/macros.rs
Improve type size assertions
[rust.git] / src / libstd / macros.rs
1 //! Standard library macros
2 //!
3 //! This modules contains a set of macros which are exported from the standard
4 //! library. Each macro is available for use when linking against the standard
5 //! library.
6
7 /// Panics the current thread.
8 ///
9 /// This allows a program to terminate immediately and provide feedback
10 /// to the caller of the program. `panic!` should be used when a program reaches
11 /// an unrecoverable state.
12 ///
13 /// This macro is the perfect way to assert conditions in example code and in
14 /// tests. `panic!` is closely tied with the `unwrap` method of both [`Option`]
15 /// and [`Result`][runwrap] enums. Both implementations call `panic!` when they are set
16 /// to None or Err variants.
17 ///
18 /// This macro is used to inject panic into a Rust thread, causing the thread to
19 /// panic entirely. Each thread's panic can be reaped as the `Box<Any>` type,
20 /// and the single-argument form of the `panic!` macro will be the value which
21 /// is transmitted.
22 ///
23 /// [`Result`] enum is often a better solution for recovering from errors than
24 /// using the `panic!` macro. This macro should be used to avoid proceeding using
25 /// incorrect values, such as from external sources. Detailed information about
26 /// error handling is found in the [book].
27 ///
28 /// The multi-argument form of this macro panics with a string and has the
29 /// [`format!`] syntax for building a string.
30 ///
31 /// See also the macro [`compile_error!`], for raising errors during compilation.
32 ///
33 /// [runwrap]: ../std/result/enum.Result.html#method.unwrap
34 /// [`Option`]: ../std/option/enum.Option.html#method.unwrap
35 /// [`Result`]: ../std/result/enum.Result.html
36 /// [`format!`]: ../std/macro.format.html
37 /// [`compile_error!`]: ../std/macro.compile_error.html
38 /// [book]: ../book/ch09-00-error-handling.html
39 ///
40 /// # Current implementation
41 ///
42 /// If the main thread panics it will terminate all your threads and end your
43 /// program with code `101`.
44 ///
45 /// # Examples
46 ///
47 /// ```should_panic
48 /// # #![allow(unreachable_code)]
49 /// panic!();
50 /// panic!("this is a terrible mistake!");
51 /// panic!(4); // panic with the value of 4 to be collected elsewhere
52 /// panic!("this is a {} {message}", "fancy", message = "message");
53 /// ```
54 #[macro_export]
55 #[stable(feature = "rust1", since = "1.0.0")]
56 #[allow_internal_unstable(__rust_unstable_column, libstd_sys_internals)]
57 macro_rules! panic {
58     () => ({
59         panic!("explicit panic")
60     });
61     ($msg:expr) => ({
62         $crate::rt::begin_panic($msg, &(file!(), line!(), __rust_unstable_column!()))
63     });
64     ($msg:expr,) => ({
65         panic!($msg)
66     });
67     ($fmt:expr, $($arg:tt)+) => ({
68         $crate::rt::begin_panic_fmt(&format_args!($fmt, $($arg)+),
69                                     &(file!(), line!(), __rust_unstable_column!()))
70     });
71 }
72
73 /// Prints to the standard output.
74 ///
75 /// Equivalent to the [`println!`] macro except that a newline is not printed at
76 /// the end of the message.
77 ///
78 /// Note that stdout is frequently line-buffered by default so it may be
79 /// necessary to use [`io::stdout().flush()`][flush] to ensure the output is emitted
80 /// immediately.
81 ///
82 /// Use `print!` only for the primary output of your program. Use
83 /// [`eprint!`] instead to print error and progress messages.
84 ///
85 /// [`println!`]: ../std/macro.println.html
86 /// [flush]: ../std/io/trait.Write.html#tymethod.flush
87 /// [`eprint!`]: ../std/macro.eprint.html
88 ///
89 /// # Panics
90 ///
91 /// Panics if writing to `io::stdout()` fails.
92 ///
93 /// # Examples
94 ///
95 /// ```
96 /// use std::io::{self, Write};
97 ///
98 /// print!("this ");
99 /// print!("will ");
100 /// print!("be ");
101 /// print!("on ");
102 /// print!("the ");
103 /// print!("same ");
104 /// print!("line ");
105 ///
106 /// io::stdout().flush().unwrap();
107 ///
108 /// print!("this string has a newline, why not choose println! instead?\n");
109 ///
110 /// io::stdout().flush().unwrap();
111 /// ```
112 #[macro_export]
113 #[stable(feature = "rust1", since = "1.0.0")]
114 #[allow_internal_unstable(print_internals)]
115 macro_rules! print {
116     ($($arg:tt)*) => ($crate::io::_print(format_args!($($arg)*)));
117 }
118
119 /// Prints to the standard output, with a newline.
120 ///
121 /// On all platforms, the newline is the LINE FEED character (`\n`/`U+000A`) alone
122 /// (no additional CARRIAGE RETURN (`\r`/`U+000D`).
123 ///
124 /// Use the [`format!`] syntax to write data to the standard output.
125 /// See [`std::fmt`] for more information.
126 ///
127 /// Use `println!` only for the primary output of your program. Use
128 /// [`eprintln!`] instead to print error and progress messages.
129 ///
130 /// [`format!`]: ../std/macro.format.html
131 /// [`std::fmt`]: ../std/fmt/index.html
132 /// [`eprintln!`]: ../std/macro.eprintln.html
133 /// # Panics
134 ///
135 /// Panics if writing to `io::stdout` fails.
136 ///
137 /// # Examples
138 ///
139 /// ```
140 /// println!(); // prints just a newline
141 /// println!("hello there!");
142 /// println!("format {} arguments", "some");
143 /// ```
144 #[macro_export]
145 #[stable(feature = "rust1", since = "1.0.0")]
146 #[allow_internal_unstable(print_internals, format_args_nl)]
147 macro_rules! println {
148     () => (print!("\n"));
149     ($($arg:tt)*) => ({
150         $crate::io::_print(format_args_nl!($($arg)*));
151     })
152 }
153
154 /// Prints to the standard error.
155 ///
156 /// Equivalent to the [`print!`] macro, except that output goes to
157 /// [`io::stderr`] instead of `io::stdout`. See [`print!`] for
158 /// example usage.
159 ///
160 /// Use `eprint!` only for error and progress messages. Use `print!`
161 /// instead for the primary output of your program.
162 ///
163 /// [`io::stderr`]: ../std/io/struct.Stderr.html
164 /// [`print!`]: ../std/macro.print.html
165 ///
166 /// # Panics
167 ///
168 /// Panics if writing to `io::stderr` fails.
169 ///
170 /// # Examples
171 ///
172 /// ```
173 /// eprint!("Error: Could not complete task");
174 /// ```
175 #[macro_export]
176 #[stable(feature = "eprint", since = "1.19.0")]
177 #[allow_internal_unstable(print_internals)]
178 macro_rules! eprint {
179     ($($arg:tt)*) => ($crate::io::_eprint(format_args!($($arg)*)));
180 }
181
182 /// Prints to the standard error, with a newline.
183 ///
184 /// Equivalent to the [`println!`] macro, except that output goes to
185 /// [`io::stderr`] instead of `io::stdout`. See [`println!`] for
186 /// example usage.
187 ///
188 /// Use `eprintln!` only for error and progress messages. Use `println!`
189 /// instead for the primary output of your program.
190 ///
191 /// [`io::stderr`]: ../std/io/struct.Stderr.html
192 /// [`println!`]: ../std/macro.println.html
193 ///
194 /// # Panics
195 ///
196 /// Panics if writing to `io::stderr` fails.
197 ///
198 /// # Examples
199 ///
200 /// ```
201 /// eprintln!("Error: Could not complete task");
202 /// ```
203 #[macro_export]
204 #[stable(feature = "eprint", since = "1.19.0")]
205 #[allow_internal_unstable(print_internals, format_args_nl)]
206 macro_rules! eprintln {
207     () => (eprint!("\n"));
208     ($($arg:tt)*) => ({
209         $crate::io::_eprint(format_args_nl!($($arg)*));
210     })
211 }
212
213 /// Prints and returns the value of a given expression for quick and dirty
214 /// debugging.
215 ///
216 /// An example:
217 ///
218 /// ```rust
219 /// let a = 2;
220 /// let b = dbg!(a * 2) + 1;
221 /// //      ^-- prints: [src/main.rs:2] a * 2 = 4
222 /// assert_eq!(b, 5);
223 /// ```
224 ///
225 /// The macro works by using the `Debug` implementation of the type of
226 /// the given expression to print the value to [stderr] along with the
227 /// source location of the macro invocation as well as the source code
228 /// of the expression.
229 ///
230 /// Invoking the macro on an expression moves and takes ownership of it
231 /// before returning the evaluated expression unchanged. If the type
232 /// of the expression does not implement `Copy` and you don't want
233 /// to give up ownership, you can instead borrow with `dbg!(&expr)`
234 /// for some expression `expr`.
235 ///
236 /// The `dbg!` macro works exactly the same in release builds.
237 /// This is useful when debugging issues that only occur in release
238 /// builds or when debugging in release mode is significantly faster.
239 ///
240 /// Note that the macro is intended as a debugging tool and therefore you
241 /// should avoid having uses of it in version control for longer periods.
242 /// Use cases involving debug output that should be added to version control
243 /// are better served by macros such as [`debug!`] from the [`log`] crate.
244 ///
245 /// # Stability
246 ///
247 /// The exact output printed by this macro should not be relied upon
248 /// and is subject to future changes.
249 ///
250 /// # Panics
251 ///
252 /// Panics if writing to `io::stderr` fails.
253 ///
254 /// # Further examples
255 ///
256 /// With a method call:
257 ///
258 /// ```rust
259 /// fn foo(n: usize) {
260 ///     if let Some(_) = dbg!(n.checked_sub(4)) {
261 ///         // ...
262 ///     }
263 /// }
264 ///
265 /// foo(3)
266 /// ```
267 ///
268 /// This prints to [stderr]:
269 ///
270 /// ```text,ignore
271 /// [src/main.rs:4] n.checked_sub(4) = None
272 /// ```
273 ///
274 /// Naive factorial implementation:
275 ///
276 /// ```rust
277 /// fn factorial(n: u32) -> u32 {
278 ///     if dbg!(n <= 1) {
279 ///         dbg!(1)
280 ///     } else {
281 ///         dbg!(n * factorial(n - 1))
282 ///     }
283 /// }
284 ///
285 /// dbg!(factorial(4));
286 /// ```
287 ///
288 /// This prints to [stderr]:
289 ///
290 /// ```text,ignore
291 /// [src/main.rs:3] n <= 1 = false
292 /// [src/main.rs:3] n <= 1 = false
293 /// [src/main.rs:3] n <= 1 = false
294 /// [src/main.rs:3] n <= 1 = true
295 /// [src/main.rs:4] 1 = 1
296 /// [src/main.rs:5] n * factorial(n - 1) = 2
297 /// [src/main.rs:5] n * factorial(n - 1) = 6
298 /// [src/main.rs:5] n * factorial(n - 1) = 24
299 /// [src/main.rs:11] factorial(4) = 24
300 /// ```
301 ///
302 /// The `dbg!(..)` macro moves the input:
303 ///
304 /// ```compile_fail
305 /// /// A wrapper around `usize` which importantly is not Copyable.
306 /// #[derive(Debug)]
307 /// struct NoCopy(usize);
308 ///
309 /// let a = NoCopy(42);
310 /// let _ = dbg!(a); // <-- `a` is moved here.
311 /// let _ = dbg!(a); // <-- `a` is moved again; error!
312 /// ```
313 ///
314 /// You can also use `dbg!()` without a value to just print the
315 /// file and line whenever it's reached.
316 ///
317 /// Finally, if you want to `dbg!(..)` multiple values, it will treat them as
318 /// a tuple (and return it, too):
319 ///
320 /// ```
321 /// assert_eq!(dbg!(1usize, 2u32), (1, 2));
322 /// ```
323 ///
324 /// However, a single argument with a trailing comma will still not be treated
325 /// as a tuple, following the convention of ignoring trailing commas in macro
326 /// invocations. You can use a 1-tuple directly if you need one:
327 ///
328 /// ```
329 /// assert_eq!(1, dbg!(1u32,)); // trailing comma ignored
330 /// assert_eq!((1,), dbg!((1u32,))); // 1-tuple
331 /// ```
332 ///
333 /// [stderr]: https://en.wikipedia.org/wiki/Standard_streams#Standard_error_(stderr)
334 /// [`debug!`]: https://docs.rs/log/*/log/macro.debug.html
335 /// [`log`]: https://crates.io/crates/log
336 #[macro_export]
337 #[stable(feature = "dbg_macro", since = "1.32.0")]
338 macro_rules! dbg {
339     () => {
340         eprintln!("[{}:{}]", file!(), line!());
341     };
342     ($val:expr) => {
343         // Use of `match` here is intentional because it affects the lifetimes
344         // of temporaries - https://stackoverflow.com/a/48732525/1063961
345         match $val {
346             tmp => {
347                 eprintln!("[{}:{}] {} = {:#?}",
348                     file!(), line!(), stringify!($val), &tmp);
349                 tmp
350             }
351         }
352     };
353     // Trailing comma with single argument is ignored
354     ($val:expr,) => { dbg!($val) };
355     ($($val:expr),+ $(,)?) => {
356         ($(dbg!($val)),+,)
357     };
358 }
359
360 /// Selects the first successful receive event from a number of receivers.
361 ///
362 /// This macro is used to wait for the first event to occur on a number of
363 /// receivers. It places no restrictions on the types of receivers given to
364 /// this macro, this can be viewed as a heterogeneous select.
365 ///
366 /// # Examples
367 ///
368 /// ```
369 /// #![feature(mpsc_select)]
370 ///
371 /// use std::thread;
372 /// use std::sync::mpsc;
373 ///
374 /// // two placeholder functions for now
375 /// fn long_running_thread() {}
376 /// fn calculate_the_answer() -> u32 { 42 }
377 ///
378 /// let (tx1, rx1) = mpsc::channel();
379 /// let (tx2, rx2) = mpsc::channel();
380 ///
381 /// thread::spawn(move|| { long_running_thread(); tx1.send(()).unwrap(); });
382 /// thread::spawn(move|| { tx2.send(calculate_the_answer()).unwrap(); });
383 ///
384 /// select! {
385 ///     _ = rx1.recv() => println!("the long running thread finished first"),
386 ///     answer = rx2.recv() => {
387 ///         println!("the answer was: {}", answer.unwrap());
388 ///     }
389 /// }
390 /// # drop(rx1.recv());
391 /// # drop(rx2.recv());
392 /// ```
393 ///
394 /// For more information about select, see the `std::sync::mpsc::Select` structure.
395 #[macro_export]
396 #[unstable(feature = "mpsc_select", issue = "27800")]
397 #[rustc_deprecated(since = "1.32.0",
398                    reason = "channel selection will be removed in a future release")]
399 macro_rules! select {
400     (
401         $($name:pat = $rx:ident.$meth:ident() => $code:expr),+
402     ) => ({
403         use $crate::sync::mpsc::Select;
404         let sel = Select::new();
405         $( let mut $rx = sel.handle(&$rx); )+
406         unsafe {
407             $( $rx.add(); )+
408         }
409         let ret = sel.wait();
410         $( if ret == $rx.id() { let $name = $rx.$meth(); $code } else )+
411         { unreachable!() }
412     })
413 }
414
415 #[cfg(test)]
416 macro_rules! assert_approx_eq {
417     ($a:expr, $b:expr) => ({
418         let (a, b) = (&$a, &$b);
419         assert!((*a - *b).abs() < 1.0e-6,
420                 "{} is not approximately equal to {}", *a, *b);
421     })
422 }
423
424 /// Built-in macros to the compiler itself.
425 ///
426 /// These macros do not have any corresponding definition with a `macro_rules!`
427 /// macro, but are documented here. Their implementations can be found hardcoded
428 /// into libsyntax itself.
429 #[cfg(rustdoc)]
430 mod builtin {
431
432     /// Causes compilation to fail with the given error message when encountered.
433     ///
434     /// This macro should be used when a crate uses a conditional compilation strategy to provide
435     /// better error messages for erroneous conditions. It's the compiler-level form of [`panic!`],
436     /// which emits an error at *runtime*, rather than during compilation.
437     ///
438     /// # Examples
439     ///
440     /// Two such examples are macros and `#[cfg]` environments.
441     ///
442     /// Emit better compiler error if a macro is passed invalid values. Without the final branch,
443     /// the compiler would still emit an error, but the error's message would not mention the two
444     /// valid values.
445     ///
446     /// ```compile_fail
447     /// macro_rules! give_me_foo_or_bar {
448     ///     (foo) => {};
449     ///     (bar) => {};
450     ///     ($x:ident) => {
451     ///         compile_error!("This macro only accepts `foo` or `bar`");
452     ///     }
453     /// }
454     ///
455     /// give_me_foo_or_bar!(neither);
456     /// // ^ will fail at compile time with message "This macro only accepts `foo` or `bar`"
457     /// ```
458     ///
459     /// Emit compiler error if one of a number of features isn't available.
460     ///
461     /// ```compile_fail
462     /// #[cfg(not(any(feature = "foo", feature = "bar")))]
463     /// compile_error!("Either feature \"foo\" or \"bar\" must be enabled for this crate.")
464     /// ```
465     ///
466     /// [`panic!`]: ../std/macro.panic.html
467     #[stable(feature = "compile_error_macro", since = "1.20.0")]
468     #[rustc_doc_only_macro]
469     macro_rules! compile_error {
470         ($msg:expr) => ({ /* compiler built-in */ });
471         ($msg:expr,) => ({ /* compiler built-in */ });
472     }
473
474     /// Constructs parameters for the other string-formatting macros.
475     ///
476     /// This macro functions by taking a formatting string literal containing
477     /// `{}` for each additional argument passed. `format_args!` prepares the
478     /// additional parameters to ensure the output can be interpreted as a string
479     /// and canonicalizes the arguments into a single type. Any value that implements
480     /// the [`Display`] trait can be passed to `format_args!`, as can any
481     /// [`Debug`] implementation be passed to a `{:?}` within the formatting string.
482     ///
483     /// This macro produces a value of type [`fmt::Arguments`]. This value can be
484     /// passed to the macros within [`std::fmt`] for performing useful redirection.
485     /// All other formatting macros ([`format!`], [`write!`], [`println!`], etc) are
486     /// proxied through this one. `format_args!`, unlike its derived macros, avoids
487     /// heap allocations.
488     ///
489     /// You can use the [`fmt::Arguments`] value that `format_args!` returns
490     /// in `Debug` and `Display` contexts as seen below. The example also shows
491     /// that `Debug` and `Display` format to the same thing: the interpolated
492     /// format string in `format_args!`.
493     ///
494     /// ```rust
495     /// let debug = format!("{:?}", format_args!("{} foo {:?}", 1, 2));
496     /// let display = format!("{}", format_args!("{} foo {:?}", 1, 2));
497     /// assert_eq!("1 foo 2", display);
498     /// assert_eq!(display, debug);
499     /// ```
500     ///
501     /// For more information, see the documentation in [`std::fmt`].
502     ///
503     /// [`Display`]: ../std/fmt/trait.Display.html
504     /// [`Debug`]: ../std/fmt/trait.Debug.html
505     /// [`fmt::Arguments`]: ../std/fmt/struct.Arguments.html
506     /// [`std::fmt`]: ../std/fmt/index.html
507     /// [`format!`]: ../std/macro.format.html
508     /// [`write!`]: ../std/macro.write.html
509     /// [`println!`]: ../std/macro.println.html
510     ///
511     /// # Examples
512     ///
513     /// ```
514     /// use std::fmt;
515     ///
516     /// let s = fmt::format(format_args!("hello {}", "world"));
517     /// assert_eq!(s, format!("hello {}", "world"));
518     /// ```
519     #[stable(feature = "rust1", since = "1.0.0")]
520     #[rustc_doc_only_macro]
521     macro_rules! format_args {
522         ($fmt:expr) => ({ /* compiler built-in */ });
523         ($fmt:expr, $($args:tt)*) => ({ /* compiler built-in */ });
524     }
525
526     /// Inspects an environment variable at compile time.
527     ///
528     /// This macro will expand to the value of the named environment variable at
529     /// compile time, yielding an expression of type `&'static str`.
530     ///
531     /// If the environment variable is not defined, then a compilation error
532     /// will be emitted. To not emit a compile error, use the [`option_env!`]
533     /// macro instead.
534     ///
535     /// [`option_env!`]: ../std/macro.option_env.html
536     ///
537     /// # Examples
538     ///
539     /// ```
540     /// let path: &'static str = env!("PATH");
541     /// println!("the $PATH variable at the time of compiling was: {}", path);
542     /// ```
543     ///
544     /// You can customize the error message by passing a string as the second
545     /// parameter:
546     ///
547     /// ```compile_fail
548     /// let doc: &'static str = env!("documentation", "what's that?!");
549     /// ```
550     ///
551     /// If the `documentation` environment variable is not defined, you'll get
552     /// the following error:
553     ///
554     /// ```text
555     /// error: what's that?!
556     /// ```
557     #[stable(feature = "rust1", since = "1.0.0")]
558     #[rustc_doc_only_macro]
559     macro_rules! env {
560         ($name:expr) => ({ /* compiler built-in */ });
561         ($name:expr,) => ({ /* compiler built-in */ });
562     }
563
564     /// Optionally inspects an environment variable at compile time.
565     ///
566     /// If the named environment variable is present at compile time, this will
567     /// expand into an expression of type `Option<&'static str>` whose value is
568     /// `Some` of the value of the environment variable. If the environment
569     /// variable is not present, then this will expand to `None`. See
570     /// [`Option<T>`][option] for more information on this type.
571     ///
572     /// A compile time error is never emitted when using this macro regardless
573     /// of whether the environment variable is present or not.
574     ///
575     /// [option]: ../std/option/enum.Option.html
576     ///
577     /// # Examples
578     ///
579     /// ```
580     /// let key: Option<&'static str> = option_env!("SECRET_KEY");
581     /// println!("the secret key might be: {:?}", key);
582     /// ```
583     #[stable(feature = "rust1", since = "1.0.0")]
584     #[rustc_doc_only_macro]
585     macro_rules! option_env {
586         ($name:expr) => ({ /* compiler built-in */ });
587         ($name:expr,) => ({ /* compiler built-in */ });
588     }
589
590     /// Concatenates identifiers into one identifier.
591     ///
592     /// This macro takes any number of comma-separated identifiers, and
593     /// concatenates them all into one, yielding an expression which is a new
594     /// identifier. Note that hygiene makes it such that this macro cannot
595     /// capture local variables. Also, as a general rule, macros are only
596     /// allowed in item, statement or expression position. That means while
597     /// you may use this macro for referring to existing variables, functions or
598     /// modules etc, you cannot define a new one with it.
599     ///
600     /// # Examples
601     ///
602     /// ```
603     /// #![feature(concat_idents)]
604     ///
605     /// # fn main() {
606     /// fn foobar() -> u32 { 23 }
607     ///
608     /// let f = concat_idents!(foo, bar);
609     /// println!("{}", f());
610     ///
611     /// // fn concat_idents!(new, fun, name) { } // not usable in this way!
612     /// # }
613     /// ```
614     #[unstable(feature = "concat_idents_macro", issue = "29599")]
615     #[rustc_doc_only_macro]
616     macro_rules! concat_idents {
617         ($($e:ident),+) => ({ /* compiler built-in */ });
618         ($($e:ident,)+) => ({ /* compiler built-in */ });
619     }
620
621     /// Concatenates literals into a static string slice.
622     ///
623     /// This macro takes any number of comma-separated literals, yielding an
624     /// expression of type `&'static str` which represents all of the literals
625     /// concatenated left-to-right.
626     ///
627     /// Integer and floating point literals are stringified in order to be
628     /// concatenated.
629     ///
630     /// # Examples
631     ///
632     /// ```
633     /// let s = concat!("test", 10, 'b', true);
634     /// assert_eq!(s, "test10btrue");
635     /// ```
636     #[stable(feature = "rust1", since = "1.0.0")]
637     #[rustc_doc_only_macro]
638     macro_rules! concat {
639         ($($e:expr),*) => ({ /* compiler built-in */ });
640         ($($e:expr,)*) => ({ /* compiler built-in */ });
641     }
642
643     /// Expands to the line number on which it was invoked.
644     ///
645     /// With [`column!`] and [`file!`], these macros provide debugging information for
646     /// developers about the location within the source.
647     ///
648     /// The expanded expression has type `u32` and is 1-based, so the first line
649     /// in each file evaluates to 1, the second to 2, etc. This is consistent
650     /// with error messages by common compilers or popular editors.
651     /// The returned line is *not necessarily* the line of the `line!` invocation itself,
652     /// but rather the first macro invocation leading up to the invocation
653     /// of the `line!` macro.
654     ///
655     /// [`column!`]: macro.column.html
656     /// [`file!`]: macro.file.html
657     ///
658     /// # Examples
659     ///
660     /// ```
661     /// let current_line = line!();
662     /// println!("defined on line: {}", current_line);
663     /// ```
664     #[stable(feature = "rust1", since = "1.0.0")]
665     #[rustc_doc_only_macro]
666     macro_rules! line { () => ({ /* compiler built-in */ }) }
667
668     /// Expands to the column number at which it was invoked.
669     ///
670     /// With [`line!`] and [`file!`], these macros provide debugging information for
671     /// developers about the location within the source.
672     ///
673     /// The expanded expression has type `u32` and is 1-based, so the first column
674     /// in each line evaluates to 1, the second to 2, etc. This is consistent
675     /// with error messages by common compilers or popular editors.
676     /// The returned column is *not necessarily* the line of the `column!` invocation itself,
677     /// but rather the first macro invocation leading up to the invocation
678     /// of the `column!` macro.
679     ///
680     /// [`line!`]: macro.line.html
681     /// [`file!`]: macro.file.html
682     ///
683     /// # Examples
684     ///
685     /// ```
686     /// let current_col = column!();
687     /// println!("defined on column: {}", current_col);
688     /// ```
689     #[stable(feature = "rust1", since = "1.0.0")]
690     #[rustc_doc_only_macro]
691     macro_rules! column { () => ({ /* compiler built-in */ }) }
692
693     /// Expands to the file name in which it was invoked.
694     ///
695     /// With [`line!`] and [`column!`], these macros provide debugging information for
696     /// developers about the location within the source.
697     ///
698     ///
699     /// The expanded expression has type `&'static str`, and the returned file
700     /// is not the invocation of the `file!` macro itself, but rather the
701     /// first macro invocation leading up to the invocation of the `file!`
702     /// macro.
703     ///
704     /// [`line!`]: macro.line.html
705     /// [`column!`]: macro.column.html
706     ///
707     /// # Examples
708     ///
709     /// ```
710     /// let this_file = file!();
711     /// println!("defined in file: {}", this_file);
712     /// ```
713     #[stable(feature = "rust1", since = "1.0.0")]
714     #[rustc_doc_only_macro]
715     macro_rules! file { () => ({ /* compiler built-in */ }) }
716
717     /// Stringifies its arguments.
718     ///
719     /// This macro will yield an expression of type `&'static str` which is the
720     /// stringification of all the tokens passed to the macro. No restrictions
721     /// are placed on the syntax of the macro invocation itself.
722     ///
723     /// Note that the expanded results of the input tokens may change in the
724     /// future. You should be careful if you rely on the output.
725     ///
726     /// # Examples
727     ///
728     /// ```
729     /// let one_plus_one = stringify!(1 + 1);
730     /// assert_eq!(one_plus_one, "1 + 1");
731     /// ```
732     #[stable(feature = "rust1", since = "1.0.0")]
733     #[rustc_doc_only_macro]
734     macro_rules! stringify { ($($t:tt)*) => ({ /* compiler built-in */ }) }
735
736     /// Includes a utf8-encoded file as a string.
737     ///
738     /// The file is located relative to the current file. (similarly to how
739     /// modules are found)
740     ///
741     /// This macro will yield an expression of type `&'static str` which is the
742     /// contents of the file.
743     ///
744     /// # Examples
745     ///
746     /// Assume there are two files in the same directory with the following
747     /// contents:
748     ///
749     /// File 'spanish.in':
750     ///
751     /// ```text
752     /// adiรณs
753     /// ```
754     ///
755     /// File 'main.rs':
756     ///
757     /// ```ignore (cannot-doctest-external-file-dependency)
758     /// fn main() {
759     ///     let my_str = include_str!("spanish.in");
760     ///     assert_eq!(my_str, "adiรณs\n");
761     ///     print!("{}", my_str);
762     /// }
763     /// ```
764     ///
765     /// Compiling 'main.rs' and running the resulting binary will print "adiรณs".
766     #[stable(feature = "rust1", since = "1.0.0")]
767     #[rustc_doc_only_macro]
768     macro_rules! include_str {
769         ($file:expr) => ({ /* compiler built-in */ });
770         ($file:expr,) => ({ /* compiler built-in */ });
771     }
772
773     /// Includes a file as a reference to a byte array.
774     ///
775     /// The file is located relative to the current file. (similarly to how
776     /// modules are found)
777     ///
778     /// This macro will yield an expression of type `&'static [u8; N]` which is
779     /// the contents of the file.
780     ///
781     /// # Examples
782     ///
783     /// Assume there are two files in the same directory with the following
784     /// contents:
785     ///
786     /// File 'spanish.in':
787     ///
788     /// ```text
789     /// adiรณs
790     /// ```
791     ///
792     /// File 'main.rs':
793     ///
794     /// ```ignore (cannot-doctest-external-file-dependency)
795     /// fn main() {
796     ///     let bytes = include_bytes!("spanish.in");
797     ///     assert_eq!(bytes, b"adi\xc3\xb3s\n");
798     ///     print!("{}", String::from_utf8_lossy(bytes));
799     /// }
800     /// ```
801     ///
802     /// Compiling 'main.rs' and running the resulting binary will print "adiรณs".
803     #[stable(feature = "rust1", since = "1.0.0")]
804     #[rustc_doc_only_macro]
805     macro_rules! include_bytes {
806         ($file:expr) => ({ /* compiler built-in */ });
807         ($file:expr,) => ({ /* compiler built-in */ });
808     }
809
810     /// Expands to a string that represents the current module path.
811     ///
812     /// The current module path can be thought of as the hierarchy of modules
813     /// leading back up to the crate root. The first component of the path
814     /// returned is the name of the crate currently being compiled.
815     ///
816     /// # Examples
817     ///
818     /// ```
819     /// mod test {
820     ///     pub fn foo() {
821     ///         assert!(module_path!().ends_with("test"));
822     ///     }
823     /// }
824     ///
825     /// test::foo();
826     /// ```
827     #[stable(feature = "rust1", since = "1.0.0")]
828     #[rustc_doc_only_macro]
829     macro_rules! module_path { () => ({ /* compiler built-in */ }) }
830
831     /// Evaluates boolean combinations of configuration flags at compile-time.
832     ///
833     /// In addition to the `#[cfg]` attribute, this macro is provided to allow
834     /// boolean expression evaluation of configuration flags. This frequently
835     /// leads to less duplicated code.
836     ///
837     /// The syntax given to this macro is the same syntax as the [`cfg`]
838     /// attribute.
839     ///
840     /// [`cfg`]: ../reference/conditional-compilation.html#the-cfg-attribute
841     ///
842     /// # Examples
843     ///
844     /// ```
845     /// let my_directory = if cfg!(windows) {
846     ///     "windows-specific-directory"
847     /// } else {
848     ///     "unix-directory"
849     /// };
850     /// ```
851     #[stable(feature = "rust1", since = "1.0.0")]
852     #[rustc_doc_only_macro]
853     macro_rules! cfg { ($($cfg:tt)*) => ({ /* compiler built-in */ }) }
854
855     /// Parses a file as an expression or an item according to the context.
856     ///
857     /// The file is located relative to the current file (similarly to how
858     /// modules are found).
859     ///
860     /// Using this macro is often a bad idea, because if the file is
861     /// parsed as an expression, it is going to be placed in the
862     /// surrounding code unhygienically. This could result in variables
863     /// or functions being different from what the file expected if
864     /// there are variables or functions that have the same name in
865     /// the current file.
866     ///
867     /// # Examples
868     ///
869     /// Assume there are two files in the same directory with the following
870     /// contents:
871     ///
872     /// File 'monkeys.in':
873     ///
874     /// ```ignore (only-for-syntax-highlight)
875     /// ['๐Ÿ™ˆ', '๐Ÿ™Š', '๐Ÿ™‰']
876     ///     .iter()
877     ///     .cycle()
878     ///     .take(6)
879     ///     .collect::<String>()
880     /// ```
881     ///
882     /// File 'main.rs':
883     ///
884     /// ```ignore (cannot-doctest-external-file-dependency)
885     /// fn main() {
886     ///     let my_string = include!("monkeys.in");
887     ///     assert_eq!("๐Ÿ™ˆ๐Ÿ™Š๐Ÿ™‰๐Ÿ™ˆ๐Ÿ™Š๐Ÿ™‰", my_string);
888     ///     println!("{}", my_string);
889     /// }
890     /// ```
891     ///
892     /// Compiling 'main.rs' and running the resulting binary will print
893     /// "๐Ÿ™ˆ๐Ÿ™Š๐Ÿ™‰๐Ÿ™ˆ๐Ÿ™Š๐Ÿ™‰".
894     #[stable(feature = "rust1", since = "1.0.0")]
895     #[rustc_doc_only_macro]
896     macro_rules! include {
897         ($file:expr) => ({ /* compiler built-in */ });
898         ($file:expr,) => ({ /* compiler built-in */ });
899     }
900
901     /// Asserts that a boolean expression is `true` at runtime.
902     ///
903     /// This will invoke the [`panic!`] macro if the provided expression cannot be
904     /// evaluated to `true` at runtime.
905     ///
906     /// # Uses
907     ///
908     /// Assertions are always checked in both debug and release builds, and cannot
909     /// be disabled. See [`debug_assert!`] for assertions that are not enabled in
910     /// release builds by default.
911     ///
912     /// Unsafe code relies on `assert!` to enforce run-time invariants that, if
913     /// violated could lead to unsafety.
914     ///
915     /// Other use-cases of `assert!` include testing and enforcing run-time
916     /// invariants in safe code (whose violation cannot result in unsafety).
917     ///
918     /// # Custom Messages
919     ///
920     /// This macro has a second form, where a custom panic message can
921     /// be provided with or without arguments for formatting. See [`std::fmt`]
922     /// for syntax for this form.
923     ///
924     /// [`panic!`]: macro.panic.html
925     /// [`debug_assert!`]: macro.debug_assert.html
926     /// [`std::fmt`]: ../std/fmt/index.html
927     ///
928     /// # Examples
929     ///
930     /// ```
931     /// // the panic message for these assertions is the stringified value of the
932     /// // expression given.
933     /// assert!(true);
934     ///
935     /// fn some_computation() -> bool { true } // a very simple function
936     ///
937     /// assert!(some_computation());
938     ///
939     /// // assert with a custom message
940     /// let x = true;
941     /// assert!(x, "x wasn't true!");
942     ///
943     /// let a = 3; let b = 27;
944     /// assert!(a + b == 30, "a = {}, b = {}", a, b);
945     /// ```
946     #[stable(feature = "rust1", since = "1.0.0")]
947     #[rustc_doc_only_macro]
948     macro_rules! assert {
949         ($cond:expr) => ({ /* compiler built-in */ });
950         ($cond:expr,) => ({ /* compiler built-in */ });
951         ($cond:expr, $($arg:tt)+) => ({ /* compiler built-in */ });
952     }
953 }
954
955 /// Defines `#[cfg]` if-else statements.
956 ///
957 /// This is similar to the `if/elif` C preprocessor macro by allowing definition
958 /// of a cascade of `#[cfg]` cases, emitting the implementation which matches
959 /// first.
960 ///
961 /// This allows you to conveniently provide a long list `#[cfg]`'d blocks of code
962 /// without having to rewrite each clause multiple times.
963 macro_rules! cfg_if {
964     ($(
965         if #[cfg($($meta:meta),*)] { $($it:item)* }
966     ) else * else {
967         $($it2:item)*
968     }) => {
969         __cfg_if_items! {
970             () ;
971             $( ( ($($meta),*) ($($it)*) ), )*
972             ( () ($($it2)*) ),
973         }
974     }
975 }
976
977 macro_rules! __cfg_if_items {
978     (($($not:meta,)*) ; ) => {};
979     (($($not:meta,)*) ; ( ($($m:meta),*) ($($it:item)*) ), $($rest:tt)*) => {
980         __cfg_if_apply! { cfg(all(not(any($($not),*)), $($m,)*)), $($it)* }
981         __cfg_if_items! { ($($not,)* $($m,)*) ; $($rest)* }
982     }
983 }
984
985 macro_rules! __cfg_if_apply {
986     ($m:meta, $($it:item)*) => {
987         $(#[$m] $it)*
988     }
989 }