]> git.lizzy.rs Git - rust.git/blob - src/libstd/macros.rs
Rollup merge of #42006 - jseyfried:fix_include_regression, r=nrc
[rust.git] / src / libstd / macros.rs
1 // Copyright 2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Standard library macros
12 //!
13 //! This modules contains a set of macros which are exported from the standard
14 //! library. Each macro is available for use when linking against the standard
15 //! library.
16
17 /// The entry point for panic of Rust threads.
18 ///
19 /// This macro is used to inject panic into a Rust thread, causing the thread to
20 /// panic entirely. Each thread's panic can be reaped as the `Box<Any>` type,
21 /// and the single-argument form of the `panic!` macro will be the value which
22 /// is transmitted.
23 ///
24 /// The multi-argument form of this macro panics with a string and has the
25 /// `format!` syntax for building a string.
26 ///
27 /// # Examples
28 ///
29 /// ```should_panic
30 /// # #![allow(unreachable_code)]
31 /// panic!();
32 /// panic!("this is a terrible mistake!");
33 /// panic!(4); // panic with the value of 4 to be collected elsewhere
34 /// panic!("this is a {} {message}", "fancy", message = "message");
35 /// ```
36 #[macro_export]
37 #[stable(feature = "rust1", since = "1.0.0")]
38 #[allow_internal_unstable]
39 macro_rules! panic {
40     () => ({
41         panic!("explicit panic")
42     });
43     ($msg:expr) => ({
44         $crate::rt::begin_panic($msg, {
45             // static requires less code at runtime, more constant data
46             static _FILE_LINE: (&'static str, u32) = (file!(), line!());
47             &_FILE_LINE
48         })
49     });
50     ($fmt:expr, $($arg:tt)+) => ({
51         $crate::rt::begin_panic_fmt(&format_args!($fmt, $($arg)+), {
52             // The leading _'s are to avoid dead code warnings if this is
53             // used inside a dead function. Just `#[allow(dead_code)]` is
54             // insufficient, since the user may have
55             // `#[forbid(dead_code)]` and which cannot be overridden.
56             static _FILE_LINE: (&'static str, u32) = (file!(), line!());
57             &_FILE_LINE
58         })
59     });
60 }
61
62 /// Macro for printing to the standard output.
63 ///
64 /// Equivalent to the `println!` macro except that a newline is not printed at
65 /// the end of the message.
66 ///
67 /// Note that stdout is frequently line-buffered by default so it may be
68 /// necessary to use `io::stdout().flush()` to ensure the output is emitted
69 /// immediately.
70 ///
71 /// Use `print!` only for the primary output of your program.  Use
72 /// `eprint!` instead to print error and progress messages.
73 ///
74 /// # Panics
75 ///
76 /// Panics if writing to `io::stdout()` fails.
77 ///
78 /// # Examples
79 ///
80 /// ```
81 /// use std::io::{self, Write};
82 ///
83 /// print!("this ");
84 /// print!("will ");
85 /// print!("be ");
86 /// print!("on ");
87 /// print!("the ");
88 /// print!("same ");
89 /// print!("line ");
90 ///
91 /// io::stdout().flush().unwrap();
92 ///
93 /// print!("this string has a newline, why not choose println! instead?\n");
94 ///
95 /// io::stdout().flush().unwrap();
96 /// ```
97 #[macro_export]
98 #[stable(feature = "rust1", since = "1.0.0")]
99 #[allow_internal_unstable]
100 macro_rules! print {
101     ($($arg:tt)*) => ($crate::io::_print(format_args!($($arg)*)));
102 }
103
104 /// Macro for printing to the standard output, with a newline. On all
105 /// platforms, the newline is the LINE FEED character (`\n`/`U+000A`) alone
106 /// (no additional CARRIAGE RETURN (`\r`/`U+000D`).
107 ///
108 /// Use the `format!` syntax to write data to the standard output.
109 /// See `std::fmt` for more information.
110 ///
111 /// Use `println!` only for the primary output of your program.  Use
112 /// `eprintln!` instead to print error and progress messages.
113 ///
114 /// # Panics
115 ///
116 /// Panics if writing to `io::stdout` fails.
117 ///
118 /// # Examples
119 ///
120 /// ```
121 /// println!(); // prints just a newline
122 /// println!("hello there!");
123 /// println!("format {} arguments", "some");
124 /// ```
125 #[macro_export]
126 #[stable(feature = "rust1", since = "1.0.0")]
127 macro_rules! println {
128     () => (print!("\n"));
129     ($fmt:expr) => (print!(concat!($fmt, "\n")));
130     ($fmt:expr, $($arg:tt)*) => (print!(concat!($fmt, "\n"), $($arg)*));
131 }
132
133 /// Macro for printing to the standard error.
134 ///
135 /// Equivalent to the `print!` macro, except that output goes to
136 /// `io::stderr` instead of `io::stdout`.  See `print!` for
137 /// example usage.
138 ///
139 /// Use `eprint!` only for error and progress messages.  Use `print!`
140 /// instead for the primary output of your program.
141 ///
142 /// # Panics
143 ///
144 /// Panics if writing to `io::stderr` fails.
145 #[macro_export]
146 #[stable(feature = "eprint", since="1.18.0")]
147 #[allow_internal_unstable]
148 macro_rules! eprint {
149     ($($arg:tt)*) => ($crate::io::_eprint(format_args!($($arg)*)));
150 }
151
152 /// Macro for printing to the standard error, with a newline.
153 ///
154 /// Equivalent to the `println!` macro, except that output goes to
155 /// `io::stderr` instead of `io::stdout`.  See `println!` for
156 /// example usage.
157 ///
158 /// Use `eprintln!` only for error and progress messages.  Use `println!`
159 /// instead for the primary output of your program.
160 ///
161 /// # Panics
162 ///
163 /// Panics if writing to `io::stderr` fails.
164 #[macro_export]
165 #[stable(feature = "eprint", since="1.18.0")]
166 macro_rules! eprintln {
167     () => (eprint!("\n"));
168     ($fmt:expr) => (eprint!(concat!($fmt, "\n")));
169     ($fmt:expr, $($arg:tt)*) => (eprint!(concat!($fmt, "\n"), $($arg)*));
170 }
171
172 /// A macro to select an event from a number of receivers.
173 ///
174 /// This macro is used to wait for the first event to occur on a number of
175 /// receivers. It places no restrictions on the types of receivers given to
176 /// this macro, this can be viewed as a heterogeneous select.
177 ///
178 /// # Examples
179 ///
180 /// ```
181 /// #![feature(mpsc_select)]
182 ///
183 /// use std::thread;
184 /// use std::sync::mpsc;
185 ///
186 /// // two placeholder functions for now
187 /// fn long_running_thread() {}
188 /// fn calculate_the_answer() -> u32 { 42 }
189 ///
190 /// let (tx1, rx1) = mpsc::channel();
191 /// let (tx2, rx2) = mpsc::channel();
192 ///
193 /// thread::spawn(move|| { long_running_thread(); tx1.send(()).unwrap(); });
194 /// thread::spawn(move|| { tx2.send(calculate_the_answer()).unwrap(); });
195 ///
196 /// select! {
197 ///     _ = rx1.recv() => println!("the long running thread finished first"),
198 ///     answer = rx2.recv() => {
199 ///         println!("the answer was: {}", answer.unwrap());
200 ///     }
201 /// }
202 /// # drop(rx1.recv());
203 /// # drop(rx2.recv());
204 /// ```
205 ///
206 /// For more information about select, see the `std::sync::mpsc::Select` structure.
207 #[macro_export]
208 #[unstable(feature = "mpsc_select", issue = "27800")]
209 macro_rules! select {
210     (
211         $($name:pat = $rx:ident.$meth:ident() => $code:expr),+
212     ) => ({
213         use $crate::sync::mpsc::Select;
214         let sel = Select::new();
215         $( let mut $rx = sel.handle(&$rx); )+
216         unsafe {
217             $( $rx.add(); )+
218         }
219         let ret = sel.wait();
220         $( if ret == $rx.id() { let $name = $rx.$meth(); $code } else )+
221         { unreachable!() }
222     })
223 }
224
225 #[cfg(test)]
226 macro_rules! assert_approx_eq {
227     ($a:expr, $b:expr) => ({
228         let (a, b) = (&$a, &$b);
229         assert!((*a - *b).abs() < 1.0e-6,
230                 "{} is not approximately equal to {}", *a, *b);
231     })
232 }
233
234 /// Built-in macros to the compiler itself.
235 ///
236 /// These macros do not have any corresponding definition with a `macro_rules!`
237 /// macro, but are documented here. Their implementations can be found hardcoded
238 /// into libsyntax itself.
239 #[cfg(dox)]
240 pub mod builtin {
241     /// The core macro for formatted string creation & output.
242     ///
243     /// This macro produces a value of type [`fmt::Arguments`]. This value can be
244     /// passed to the functions in [`std::fmt`] for performing useful functions.
245     /// All other formatting macros ([`format!`], [`write!`], [`println!`], etc) are
246     /// proxied through this one.
247     ///
248     /// For more information, see the documentation in [`std::fmt`].
249     ///
250     /// [`fmt::Arguments`]: ../std/fmt/struct.Arguments.html
251     /// [`std::fmt`]: ../std/fmt/index.html
252     /// [`format!`]: ../std/macro.format.html
253     /// [`write!`]: ../std/macro.write.html
254     /// [`println!`]: ../std/macro.println.html
255     ///
256     /// # Examples
257     ///
258     /// ```
259     /// use std::fmt;
260     ///
261     /// let s = fmt::format(format_args!("hello {}", "world"));
262     /// assert_eq!(s, format!("hello {}", "world"));
263     ///
264     /// ```
265     #[stable(feature = "rust1", since = "1.0.0")]
266     #[macro_export]
267     macro_rules! format_args { ($fmt:expr, $($args:tt)*) => ({
268         /* compiler built-in */
269     }) }
270
271     /// Inspect an environment variable at compile time.
272     ///
273     /// This macro will expand to the value of the named environment variable at
274     /// compile time, yielding an expression of type `&'static str`.
275     ///
276     /// If the environment variable is not defined, then a compilation error
277     /// will be emitted.  To not emit a compile error, use the `option_env!`
278     /// macro instead.
279     ///
280     /// # Examples
281     ///
282     /// ```
283     /// let path: &'static str = env!("PATH");
284     /// println!("the $PATH variable at the time of compiling was: {}", path);
285     /// ```
286     #[stable(feature = "rust1", since = "1.0.0")]
287     #[macro_export]
288     macro_rules! env { ($name:expr) => ({ /* compiler built-in */ }) }
289
290     /// Optionally inspect an environment variable at compile time.
291     ///
292     /// If the named environment variable is present at compile time, this will
293     /// expand into an expression of type `Option<&'static str>` whose value is
294     /// `Some` of the value of the environment variable. If the environment
295     /// variable is not present, then this will expand to `None`.
296     ///
297     /// A compile time error is never emitted when using this macro regardless
298     /// of whether the environment variable is present or not.
299     ///
300     /// # Examples
301     ///
302     /// ```
303     /// let key: Option<&'static str> = option_env!("SECRET_KEY");
304     /// println!("the secret key might be: {:?}", key);
305     /// ```
306     #[stable(feature = "rust1", since = "1.0.0")]
307     #[macro_export]
308     macro_rules! option_env { ($name:expr) => ({ /* compiler built-in */ }) }
309
310     /// Concatenate identifiers into one identifier.
311     ///
312     /// This macro takes any number of comma-separated identifiers, and
313     /// concatenates them all into one, yielding an expression which is a new
314     /// identifier. Note that hygiene makes it such that this macro cannot
315     /// capture local variables. Also, as a general rule, macros are only
316     /// allowed in item, statement or expression position. That means while
317     /// you may use this macro for referring to existing variables, functions or
318     /// modules etc, you cannot define a new one with it.
319     ///
320     /// # Examples
321     ///
322     /// ```
323     /// #![feature(concat_idents)]
324     ///
325     /// # fn main() {
326     /// fn foobar() -> u32 { 23 }
327     ///
328     /// let f = concat_idents!(foo, bar);
329     /// println!("{}", f());
330     ///
331     /// // fn concat_idents!(new, fun, name) { } // not usable in this way!
332     /// # }
333     /// ```
334     #[unstable(feature = "concat_idents_macro", issue = "29599")]
335     #[macro_export]
336     macro_rules! concat_idents {
337         ($($e:ident),*) => ({ /* compiler built-in */ })
338     }
339
340     /// Concatenates literals into a static string slice.
341     ///
342     /// This macro takes any number of comma-separated literals, yielding an
343     /// expression of type `&'static str` which represents all of the literals
344     /// concatenated left-to-right.
345     ///
346     /// Integer and floating point literals are stringified in order to be
347     /// concatenated.
348     ///
349     /// # Examples
350     ///
351     /// ```
352     /// let s = concat!("test", 10, 'b', true);
353     /// assert_eq!(s, "test10btrue");
354     /// ```
355     #[stable(feature = "rust1", since = "1.0.0")]
356     #[macro_export]
357     macro_rules! concat { ($($e:expr),*) => ({ /* compiler built-in */ }) }
358
359     /// A macro which expands to the line number on which it was invoked.
360     ///
361     /// The expanded expression has type `u32`, and the returned line is not
362     /// the invocation of the `line!()` macro itself, but rather the first macro
363     /// invocation leading up to the invocation of the `line!()` macro.
364     ///
365     /// # Examples
366     ///
367     /// ```
368     /// let current_line = line!();
369     /// println!("defined on line: {}", current_line);
370     /// ```
371     #[stable(feature = "rust1", since = "1.0.0")]
372     #[macro_export]
373     macro_rules! line { () => ({ /* compiler built-in */ }) }
374
375     /// A macro which expands to the column number on which it was invoked.
376     ///
377     /// The expanded expression has type `u32`, and the returned column is not
378     /// the invocation of the `column!()` macro itself, but rather the first macro
379     /// invocation leading up to the invocation of the `column!()` macro.
380     ///
381     /// # Examples
382     ///
383     /// ```
384     /// let current_col = column!();
385     /// println!("defined on column: {}", current_col);
386     /// ```
387     #[stable(feature = "rust1", since = "1.0.0")]
388     #[macro_export]
389     macro_rules! column { () => ({ /* compiler built-in */ }) }
390
391     /// A macro which expands to the file name from which it was invoked.
392     ///
393     /// The expanded expression has type `&'static str`, and the returned file
394     /// is not the invocation of the `file!()` macro itself, but rather the
395     /// first macro invocation leading up to the invocation of the `file!()`
396     /// macro.
397     ///
398     /// # Examples
399     ///
400     /// ```
401     /// let this_file = file!();
402     /// println!("defined in file: {}", this_file);
403     /// ```
404     #[stable(feature = "rust1", since = "1.0.0")]
405     #[macro_export]
406     macro_rules! file { () => ({ /* compiler built-in */ }) }
407
408     /// A macro which stringifies its argument.
409     ///
410     /// This macro will yield an expression of type `&'static str` which is the
411     /// stringification of all the tokens passed to the macro. No restrictions
412     /// are placed on the syntax of the macro invocation itself.
413     ///
414     /// Note that the expanded results of the input tokens may change in the
415     /// future. You should be careful if you rely on the output.
416     ///
417     /// # Examples
418     ///
419     /// ```
420     /// let one_plus_one = stringify!(1 + 1);
421     /// assert_eq!(one_plus_one, "1 + 1");
422     /// ```
423     #[stable(feature = "rust1", since = "1.0.0")]
424     #[macro_export]
425     macro_rules! stringify { ($t:tt) => ({ /* compiler built-in */ }) }
426
427     /// Includes a utf8-encoded file as a string.
428     ///
429     /// The file is located relative to the current file. (similarly to how
430     /// modules are found)
431     ///
432     /// This macro will yield an expression of type `&'static str` which is the
433     /// contents of the file.
434     ///
435     /// # Examples
436     ///
437     /// ```rust,ignore
438     /// let secret_key = include_str!("secret-key.ascii");
439     /// ```
440     #[stable(feature = "rust1", since = "1.0.0")]
441     #[macro_export]
442     macro_rules! include_str { ($file:expr) => ({ /* compiler built-in */ }) }
443
444     /// Includes a file as a reference to a byte array.
445     ///
446     /// The file is located relative to the current file. (similarly to how
447     /// modules are found)
448     ///
449     /// This macro will yield an expression of type `&'static [u8; N]` which is
450     /// the contents of the file.
451     ///
452     /// # Examples
453     ///
454     /// ```rust,ignore
455     /// let secret_key = include_bytes!("secret-key.bin");
456     /// ```
457     #[stable(feature = "rust1", since = "1.0.0")]
458     #[macro_export]
459     macro_rules! include_bytes { ($file:expr) => ({ /* compiler built-in */ }) }
460
461     /// Expands to a string that represents the current module path.
462     ///
463     /// The current module path can be thought of as the hierarchy of modules
464     /// leading back up to the crate root. The first component of the path
465     /// returned is the name of the crate currently being compiled.
466     ///
467     /// # Examples
468     ///
469     /// ```
470     /// mod test {
471     ///     pub fn foo() {
472     ///         assert!(module_path!().ends_with("test"));
473     ///     }
474     /// }
475     ///
476     /// test::foo();
477     /// ```
478     #[stable(feature = "rust1", since = "1.0.0")]
479     #[macro_export]
480     macro_rules! module_path { () => ({ /* compiler built-in */ }) }
481
482     /// Boolean evaluation of configuration flags.
483     ///
484     /// In addition to the `#[cfg]` attribute, this macro is provided to allow
485     /// boolean expression evaluation of configuration flags. This frequently
486     /// leads to less duplicated code.
487     ///
488     /// The syntax given to this macro is the same syntax as [the `cfg`
489     /// attribute](../book/conditional-compilation.html).
490     ///
491     /// # Examples
492     ///
493     /// ```
494     /// let my_directory = if cfg!(windows) {
495     ///     "windows-specific-directory"
496     /// } else {
497     ///     "unix-directory"
498     /// };
499     /// ```
500     #[stable(feature = "rust1", since = "1.0.0")]
501     #[macro_export]
502     macro_rules! cfg { ($($cfg:tt)*) => ({ /* compiler built-in */ }) }
503
504     /// Parse a file as an expression or an item according to the context.
505     ///
506     /// The file is located relative to the current file (similarly to how
507     /// modules are found).
508     ///
509     /// Using this macro is often a bad idea, because if the file is
510     /// parsed as an expression, it is going to be placed in the
511     /// surrounding code unhygienically. This could result in variables
512     /// or functions being different from what the file expected if
513     /// there are variables or functions that have the same name in
514     /// the current file.
515     ///
516     /// # Examples
517     ///
518     /// Assume there are two files in the same directory with the following
519     /// contents:
520     ///
521     /// File 'my_str.in':
522     ///
523     /// ```ignore
524     /// "Hello World!"
525     /// ```
526     ///
527     /// File 'main.rs':
528     ///
529     /// ```ignore
530     /// fn main() {
531     ///     let my_str = include!("my_str.in");
532     ///     println!("{}", my_str);
533     /// }
534     /// ```
535     ///
536     /// Compiling 'main.rs' and running the resulting binary will print "Hello
537     /// World!".
538     #[stable(feature = "rust1", since = "1.0.0")]
539     #[macro_export]
540     macro_rules! include { ($file:expr) => ({ /* compiler built-in */ }) }
541 }