]> git.lizzy.rs Git - rust.git/blob - src/libstd/lib.rs
Auto merge of #68272 - Dylan-DPC:rollup-vrb90gu, r=Dylan-DPC
[rust.git] / src / libstd / lib.rs
1 //! # The Rust Standard Library
2 //!
3 //! The Rust Standard Library is the foundation of portable Rust software, a
4 //! set of minimal and battle-tested shared abstractions for the [broader Rust
5 //! ecosystem][crates.io]. It offers core types, like [`Vec<T>`] and
6 //! [`Option<T>`], library-defined [operations on language
7 //! primitives](#primitives), [standard macros](#macros), [I/O] and
8 //! [multithreading], among [many other things][other].
9 //!
10 //! `std` is available to all Rust crates by default. Therefore, the
11 //! standard library can be accessed in [`use`] statements through the path
12 //! `std`, as in [`use std::env`].
13 //!
14 //! # How to read this documentation
15 //!
16 //! If you already know the name of what you are looking for, the fastest way to
17 //! find it is to use the <a href="#" onclick="focusSearchBar();">search
18 //! bar</a> at the top of the page.
19 //!
20 //! Otherwise, you may want to jump to one of these useful sections:
21 //!
22 //! * [`std::*` modules](#modules)
23 //! * [Primitive types](#primitives)
24 //! * [Standard macros](#macros)
25 //! * [The Rust Prelude](prelude/index.html)
26 //!
27 //! If this is your first time, the documentation for the standard library is
28 //! written to be casually perused. Clicking on interesting things should
29 //! generally lead you to interesting places. Still, there are important bits
30 //! you don't want to miss, so read on for a tour of the standard library and
31 //! its documentation!
32 //!
33 //! Once you are familiar with the contents of the standard library you may
34 //! begin to find the verbosity of the prose distracting. At this stage in your
35 //! development you may want to press the `[-]` button near the top of the
36 //! page to collapse it into a more skimmable view.
37 //!
38 //! While you are looking at that `[-]` button also notice the `[src]`
39 //! button. Rust's API documentation comes with the source code and you are
40 //! encouraged to read it. The standard library source is generally high
41 //! quality and a peek behind the curtains is often enlightening.
42 //!
43 //! # What is in the standard library documentation?
44 //!
45 //! First of all, The Rust Standard Library is divided into a number of focused
46 //! modules, [all listed further down this page](#modules). These modules are
47 //! the bedrock upon which all of Rust is forged, and they have mighty names
48 //! like [`std::slice`] and [`std::cmp`]. Modules' documentation typically
49 //! includes an overview of the module along with examples, and are a smart
50 //! place to start familiarizing yourself with the library.
51 //!
52 //! Second, implicit methods on [primitive types] are documented here. This can
53 //! be a source of confusion for two reasons:
54 //!
55 //! 1. While primitives are implemented by the compiler, the standard library
56 //!    implements methods directly on the primitive types (and it is the only
57 //!    library that does so), which are [documented in the section on
58 //!    primitives](#primitives).
59 //! 2. The standard library exports many modules *with the same name as
60 //!    primitive types*. These define additional items related to the primitive
61 //!    type, but not the all-important methods.
62 //!
63 //! So for example there is a [page for the primitive type
64 //! `i32`](primitive.i32.html) that lists all the methods that can be called on
65 //! 32-bit integers (very useful), and there is a [page for the module
66 //! `std::i32`](i32/index.html) that documents the constant values [`MIN`] and
67 //! [`MAX`](i32/constant.MAX.html) (rarely useful).
68 //!
69 //! Note the documentation for the primitives [`str`] and [`[T]`][slice] (also
70 //! called 'slice'). Many method calls on [`String`] and [`Vec<T>`] are actually
71 //! calls to methods on [`str`] and [`[T]`][slice] respectively, via [deref
72 //! coercions][deref-coercions].
73 //!
74 //! Third, the standard library defines [The Rust Prelude], a small collection
75 //! of items - mostly traits - that are imported into every module of every
76 //! crate. The traits in the prelude are pervasive, making the prelude
77 //! documentation a good entry point to learning about the library.
78 //!
79 //! And finally, the standard library exports a number of standard macros, and
80 //! [lists them on this page](#macros) (technically, not all of the standard
81 //! macros are defined by the standard library - some are defined by the
82 //! compiler - but they are documented here the same). Like the prelude, the
83 //! standard macros are imported by default into all crates.
84 //!
85 //! # Contributing changes to the documentation
86 //!
87 //! Check out the rust contribution guidelines [here](
88 //! https://github.com/rust-lang/rust/blob/master/CONTRIBUTING.md).
89 //! The source for this documentation can be found on [Github](https://github.com/rust-lang).
90 //! To contribute changes, make sure you read the guidelines first, then submit
91 //! pull-requests for your suggested changes.
92 //!
93 //! Contributions are appreciated! If you see a part of the docs that can be
94 //! improved, submit a PR, or chat with us first on irc.mozilla.org #rust-docs.
95 //!
96 //! # A Tour of The Rust Standard Library
97 //!
98 //! The rest of this crate documentation is dedicated to pointing out notable
99 //! features of The Rust Standard Library.
100 //!
101 //! ## Containers and collections
102 //!
103 //! The [`option`] and [`result`] modules define optional and error-handling
104 //! types, [`Option<T>`] and [`Result<T, E>`]. The [`iter`] module defines
105 //! Rust's iterator trait, [`Iterator`], which works with the [`for`] loop to
106 //! access collections.
107 //!
108 //! The standard library exposes three common ways to deal with contiguous
109 //! regions of memory:
110 //!
111 //! * [`Vec<T>`] - A heap-allocated *vector* that is resizable at runtime.
112 //! * [`[T; n]`][array] - An inline *array* with a fixed size at compile time.
113 //! * [`[T]`][slice] - A dynamically sized *slice* into any other kind of contiguous
114 //!   storage, whether heap-allocated or not.
115 //!
116 //! Slices can only be handled through some kind of *pointer*, and as such come
117 //! in many flavors such as:
118 //!
119 //! * `&[T]` - *shared slice*
120 //! * `&mut [T]` - *mutable slice*
121 //! * [`Box<[T]>`][owned slice] - *owned slice*
122 //!
123 //! [`str`], a UTF-8 string slice, is a primitive type, and the standard library
124 //! defines many methods for it. Rust [`str`]s are typically accessed as
125 //! immutable references: `&str`. Use the owned [`String`] for building and
126 //! mutating strings.
127 //!
128 //! For converting to strings use the [`format!`] macro, and for converting from
129 //! strings use the [`FromStr`] trait.
130 //!
131 //! Data may be shared by placing it in a reference-counted box or the [`Rc`]
132 //! type, and if further contained in a [`Cell`] or [`RefCell`], may be mutated
133 //! as well as shared. Likewise, in a concurrent setting it is common to pair an
134 //! atomically-reference-counted box, [`Arc`], with a [`Mutex`] to get the same
135 //! effect.
136 //!
137 //! The [`collections`] module defines maps, sets, linked lists and other
138 //! typical collection types, including the common [`HashMap<K, V>`].
139 //!
140 //! ## Platform abstractions and I/O
141 //!
142 //! Besides basic data types, the standard library is largely concerned with
143 //! abstracting over differences in common platforms, most notably Windows and
144 //! Unix derivatives.
145 //!
146 //! Common types of I/O, including [files], [TCP], [UDP], are defined in the
147 //! [`io`], [`fs`], and [`net`] modules.
148 //!
149 //! The [`thread`] module contains Rust's threading abstractions. [`sync`]
150 //! contains further primitive shared memory types, including [`atomic`] and
151 //! [`mpsc`], which contains the channel types for message passing.
152 //!
153 //! [I/O]: io/index.html
154 //! [`MIN`]: i32/constant.MIN.html
155 //! [TCP]: net/struct.TcpStream.html
156 //! [The Rust Prelude]: prelude/index.html
157 //! [UDP]: net/struct.UdpSocket.html
158 //! [`Arc`]: sync/struct.Arc.html
159 //! [owned slice]: boxed/index.html
160 //! [`Cell`]: cell/struct.Cell.html
161 //! [`FromStr`]: str/trait.FromStr.html
162 //! [`HashMap<K, V>`]: collections/struct.HashMap.html
163 //! [`Iterator`]: iter/trait.Iterator.html
164 //! [`Mutex`]: sync/struct.Mutex.html
165 //! [`Option<T>`]: option/enum.Option.html
166 //! [`Rc`]: rc/index.html
167 //! [`RefCell`]: cell/struct.RefCell.html
168 //! [`Result<T, E>`]: result/enum.Result.html
169 //! [`String`]: string/struct.String.html
170 //! [`Vec<T>`]: vec/index.html
171 //! [array]: primitive.array.html
172 //! [slice]: primitive.slice.html
173 //! [`atomic`]: sync/atomic/index.html
174 //! [`collections`]: collections/index.html
175 //! [`for`]: ../book/ch03-05-control-flow.html#looping-through-a-collection-with-for
176 //! [`format!`]: macro.format.html
177 //! [`fs`]: fs/index.html
178 //! [`io`]: io/index.html
179 //! [`iter`]: iter/index.html
180 //! [`mpsc`]: sync/mpsc/index.html
181 //! [`net`]: net/index.html
182 //! [`option`]: option/index.html
183 //! [`result`]: result/index.html
184 //! [`std::cmp`]: cmp/index.html
185 //! [`std::slice`]: slice/index.html
186 //! [`str`]: primitive.str.html
187 //! [`sync`]: sync/index.html
188 //! [`thread`]: thread/index.html
189 //! [`use std::env`]: env/index.html
190 //! [`use`]: ../book/ch07-02-defining-modules-to-control-scope-and-privacy.html
191 //! [crates.io]: https://crates.io
192 //! [deref-coercions]: ../book/ch15-02-deref.html#implicit-deref-coercions-with-functions-and-methods
193 //! [files]: fs/struct.File.html
194 //! [multithreading]: thread/index.html
195 //! [other]: #what-is-in-the-standard-library-documentation
196 //! [primitive types]: ../book/ch03-02-data-types.html
197
198 #![stable(feature = "rust1", since = "1.0.0")]
199 #![doc(
200     html_root_url = "https://doc.rust-lang.org/nightly/",
201     html_playground_url = "https://play.rust-lang.org/",
202     issue_tracker_base_url = "https://github.com/rust-lang/rust/issues/",
203     test(no_crate_inject, attr(deny(warnings))),
204     test(attr(allow(dead_code, deprecated, unused_variables, unused_mut)))
205 )]
206 // Don't link to std. We are std.
207 #![no_std]
208 #![warn(deprecated_in_future)]
209 #![warn(missing_docs)]
210 #![warn(missing_debug_implementations)]
211 #![deny(intra_doc_link_resolution_failure)] // rustdoc is run without -D warnings
212 #![allow(explicit_outlives_requirements)]
213 #![allow(unused_lifetimes)]
214 // Tell the compiler to link to either panic_abort or panic_unwind
215 #![needs_panic_runtime]
216 // std may use features in a platform-specific way
217 #![allow(unused_features)]
218 #![cfg_attr(test, feature(print_internals, set_stdio, update_panic_count))]
219 #![cfg_attr(
220     all(target_vendor = "fortanix", target_env = "sgx"),
221     feature(slice_index_methods, coerce_unsized, sgx_platform, ptr_wrapping_offset_from)
222 )]
223 #![cfg_attr(
224     all(test, target_vendor = "fortanix", target_env = "sgx"),
225     feature(fixed_size_array, maybe_uninit_extra)
226 )]
227 // std is implemented with unstable features, many of which are internal
228 // compiler details that will never be stable
229 // NB: the following list is sorted to minimize merge conflicts.
230 #![feature(alloc_error_handler)]
231 #![feature(alloc_layout_extra)]
232 #![feature(allocator_api)]
233 #![feature(allocator_internals)]
234 #![feature(allow_internal_unsafe)]
235 #![feature(allow_internal_unstable)]
236 #![feature(atomic_mut_ptr)]
237 #![feature(arbitrary_self_types)]
238 #![feature(array_error_internals)]
239 #![feature(asm)]
240 #![feature(associated_type_bounds)]
241 #![feature(box_syntax)]
242 #![feature(c_variadic)]
243 #![feature(cfg_target_has_atomic)]
244 #![feature(cfg_target_thread_local)]
245 #![feature(char_error_internals)]
246 #![feature(clamp)]
247 #![feature(concat_idents)]
248 #![feature(const_cstr_unchecked)]
249 #![feature(const_raw_ptr_deref)]
250 #![feature(container_error_extra)]
251 #![feature(core_intrinsics)]
252 #![feature(custom_test_frameworks)]
253 #![feature(decl_macro)]
254 #![feature(doc_alias)]
255 #![feature(doc_cfg)]
256 #![feature(doc_keyword)]
257 #![feature(doc_masked)]
258 #![feature(doc_spotlight)]
259 #![feature(dropck_eyepatch)]
260 #![feature(duration_constants)]
261 #![feature(exact_size_is_empty)]
262 #![feature(exhaustive_patterns)]
263 #![feature(external_doc)]
264 #![feature(fn_traits)]
265 #![feature(format_args_nl)]
266 #![feature(generator_trait)]
267 #![feature(global_asm)]
268 #![feature(hash_raw_entry)]
269 #![feature(hashmap_internals)]
270 #![feature(int_error_internals)]
271 #![feature(int_error_matching)]
272 #![feature(integer_atomics)]
273 #![feature(lang_items)]
274 #![feature(libc)]
275 #![feature(link_args)]
276 #![feature(linkage)]
277 #![feature(log_syntax)]
278 #![feature(manually_drop_take)]
279 #![feature(maybe_uninit_ref)]
280 #![feature(maybe_uninit_slice)]
281 #![feature(needs_panic_runtime)]
282 #![feature(never_type)]
283 #![feature(nll)]
284 #![feature(optin_builtin_traits)]
285 #![feature(panic_info_message)]
286 #![feature(panic_internals)]
287 #![feature(panic_unwind)]
288 #![feature(prelude_import)]
289 #![feature(ptr_internals)]
290 #![feature(raw)]
291 #![feature(renamed_spin_loop)]
292 #![feature(rustc_attrs)]
293 #![feature(rustc_private)]
294 #![feature(shrink_to)]
295 #![feature(slice_concat_ext)]
296 #![feature(slice_internals)]
297 #![feature(slice_patterns)]
298 #![feature(specialization)]
299 #![feature(staged_api)]
300 #![feature(std_internals)]
301 #![feature(stdsimd)]
302 #![feature(stmt_expr_attributes)]
303 #![feature(str_internals)]
304 #![feature(test)]
305 #![feature(thread_local)]
306 #![feature(toowned_clone_into)]
307 #![feature(trace_macros)]
308 #![feature(track_caller)]
309 #![feature(try_reserve)]
310 #![feature(unboxed_closures)]
311 #![feature(untagged_unions)]
312 #![feature(unwind_attributes)]
313 // NB: the above list is sorted to minimize merge conflicts.
314 #![default_lib_allocator]
315
316 // Explicitly import the prelude. The compiler uses this same unstable attribute
317 // to import the prelude implicitly when building crates that depend on std.
318 #[prelude_import]
319 #[allow(unused)]
320 use prelude::v1::*;
321
322 // Access to Bencher, etc.
323 #[cfg(test)]
324 extern crate test;
325
326 #[allow(unused_imports)] // macros from `alloc` are not used on all platforms
327 #[macro_use]
328 extern crate alloc as alloc_crate;
329 #[doc(masked)]
330 #[allow(unused_extern_crates)]
331 extern crate libc;
332
333 // We always need an unwinder currently for backtraces
334 #[doc(masked)]
335 #[allow(unused_extern_crates)]
336 extern crate unwind;
337
338 // Only needed for now for the `std_detect` module until that crate changes to
339 // use `cfg_if::cfg_if!`
340 #[macro_use]
341 #[cfg(not(test))]
342 extern crate cfg_if;
343
344 // During testing, this crate is not actually the "real" std library, but rather
345 // it links to the real std library, which was compiled from this same source
346 // code. So any lang items std defines are conditionally excluded (or else they
347 // would generate duplicate lang item errors), and any globals it defines are
348 // _not_ the globals used by "real" std. So this import, defined only during
349 // testing gives test-std access to real-std lang items and globals. See #2912
350 #[cfg(test)]
351 extern crate std as realstd;
352
353 // The standard macros that are not built-in to the compiler.
354 #[macro_use]
355 mod macros;
356
357 // The Rust prelude
358 pub mod prelude;
359
360 // Public module declarations and re-exports
361 #[stable(feature = "rust1", since = "1.0.0")]
362 pub use alloc_crate::borrow;
363 #[stable(feature = "rust1", since = "1.0.0")]
364 pub use alloc_crate::boxed;
365 #[stable(feature = "rust1", since = "1.0.0")]
366 pub use alloc_crate::fmt;
367 #[stable(feature = "rust1", since = "1.0.0")]
368 pub use alloc_crate::format;
369 #[stable(feature = "rust1", since = "1.0.0")]
370 pub use alloc_crate::rc;
371 #[stable(feature = "rust1", since = "1.0.0")]
372 pub use alloc_crate::slice;
373 #[stable(feature = "rust1", since = "1.0.0")]
374 pub use alloc_crate::str;
375 #[stable(feature = "rust1", since = "1.0.0")]
376 pub use alloc_crate::string;
377 #[stable(feature = "rust1", since = "1.0.0")]
378 pub use alloc_crate::vec;
379 #[stable(feature = "rust1", since = "1.0.0")]
380 pub use core::any;
381 #[stable(feature = "simd_arch", since = "1.27.0")]
382 #[doc(no_inline)]
383 pub use core::arch;
384 #[stable(feature = "core_array", since = "1.36.0")]
385 pub use core::array;
386 #[stable(feature = "rust1", since = "1.0.0")]
387 pub use core::cell;
388 #[stable(feature = "rust1", since = "1.0.0")]
389 pub use core::char;
390 #[stable(feature = "rust1", since = "1.0.0")]
391 pub use core::clone;
392 #[stable(feature = "rust1", since = "1.0.0")]
393 pub use core::cmp;
394 #[stable(feature = "rust1", since = "1.0.0")]
395 pub use core::convert;
396 #[stable(feature = "rust1", since = "1.0.0")]
397 pub use core::default;
398 #[stable(feature = "rust1", since = "1.0.0")]
399 pub use core::hash;
400 #[stable(feature = "core_hint", since = "1.27.0")]
401 pub use core::hint;
402 #[stable(feature = "i128", since = "1.26.0")]
403 pub use core::i128;
404 #[stable(feature = "rust1", since = "1.0.0")]
405 pub use core::i16;
406 #[stable(feature = "rust1", since = "1.0.0")]
407 pub use core::i32;
408 #[stable(feature = "rust1", since = "1.0.0")]
409 pub use core::i64;
410 #[stable(feature = "rust1", since = "1.0.0")]
411 pub use core::i8;
412 #[stable(feature = "rust1", since = "1.0.0")]
413 pub use core::intrinsics;
414 #[stable(feature = "rust1", since = "1.0.0")]
415 pub use core::isize;
416 #[stable(feature = "rust1", since = "1.0.0")]
417 pub use core::iter;
418 #[stable(feature = "rust1", since = "1.0.0")]
419 pub use core::marker;
420 #[stable(feature = "rust1", since = "1.0.0")]
421 pub use core::mem;
422 #[stable(feature = "rust1", since = "1.0.0")]
423 pub use core::ops;
424 #[stable(feature = "rust1", since = "1.0.0")]
425 pub use core::option;
426 #[stable(feature = "pin", since = "1.33.0")]
427 pub use core::pin;
428 #[stable(feature = "rust1", since = "1.0.0")]
429 pub use core::ptr;
430 #[stable(feature = "rust1", since = "1.0.0")]
431 pub use core::raw;
432 #[stable(feature = "rust1", since = "1.0.0")]
433 pub use core::result;
434 #[stable(feature = "i128", since = "1.26.0")]
435 pub use core::u128;
436 #[stable(feature = "rust1", since = "1.0.0")]
437 pub use core::u16;
438 #[stable(feature = "rust1", since = "1.0.0")]
439 pub use core::u32;
440 #[stable(feature = "rust1", since = "1.0.0")]
441 pub use core::u64;
442 #[stable(feature = "rust1", since = "1.0.0")]
443 pub use core::u8;
444 #[stable(feature = "rust1", since = "1.0.0")]
445 pub use core::usize;
446
447 pub mod f32;
448 pub mod f64;
449
450 #[macro_use]
451 pub mod thread;
452 pub mod ascii;
453 pub mod backtrace;
454 pub mod collections;
455 pub mod env;
456 pub mod error;
457 pub mod ffi;
458 pub mod fs;
459 pub mod io;
460 pub mod net;
461 pub mod num;
462 pub mod os;
463 pub mod panic;
464 pub mod path;
465 pub mod process;
466 pub mod sync;
467 pub mod time;
468
469 #[stable(feature = "futures_api", since = "1.36.0")]
470 pub mod task {
471     //! Types and Traits for working with asynchronous tasks.
472     #[doc(inline)]
473     #[stable(feature = "futures_api", since = "1.36.0")]
474     pub use core::task::*;
475 }
476
477 #[stable(feature = "futures_api", since = "1.36.0")]
478 pub mod future;
479
480 // Platform-abstraction modules
481 #[macro_use]
482 mod sys_common;
483 mod sys;
484
485 pub mod alloc;
486
487 // Private support modules
488 mod memchr;
489 mod panicking;
490
491 // The runtime entry point and a few unstable public functions used by the
492 // compiler
493 pub mod rt;
494
495 // Pull in the `std_detect` crate directly into libstd. The contents of
496 // `std_detect` are in a different repository: rust-lang/stdarch.
497 //
498 // `std_detect` depends on libstd, but the contents of this module are
499 // set up in such a way that directly pulling it here works such that the
500 // crate uses the this crate as its libstd.
501 #[path = "../stdarch/crates/std_detect/src/mod.rs"]
502 #[allow(missing_debug_implementations, missing_docs, dead_code)]
503 #[unstable(feature = "stdsimd", issue = "48556")]
504 #[cfg(not(test))]
505 mod std_detect;
506
507 #[doc(hidden)]
508 #[unstable(feature = "stdsimd", issue = "48556")]
509 #[cfg(not(test))]
510 pub use std_detect::detect;
511
512 // Re-export macros defined in libcore.
513 #[stable(feature = "rust1", since = "1.0.0")]
514 #[allow(deprecated, deprecated_in_future)]
515 pub use core::{
516     // Stable
517     assert_eq,
518     assert_ne,
519     debug_assert,
520     debug_assert_eq,
521     debug_assert_ne,
522     // Unstable
523     matches,
524     r#try,
525     todo,
526     unimplemented,
527     unreachable,
528     write,
529     writeln,
530 };
531
532 // Re-export built-in macros defined through libcore.
533 #[stable(feature = "builtin_macro_prelude", since = "1.38.0")]
534 pub use core::{
535     // Unstable
536     asm,
537     // Stable
538     assert,
539     cfg,
540     column,
541     compile_error,
542     concat,
543     concat_idents,
544     env,
545     file,
546     format_args,
547     format_args_nl,
548     global_asm,
549     include,
550     include_bytes,
551     include_str,
552     line,
553     log_syntax,
554     module_path,
555     option_env,
556     stringify,
557     trace_macros,
558 };
559
560 // Include a number of private modules that exist solely to provide
561 // the rustdoc documentation for primitive types. Using `include!`
562 // because rustdoc only looks for these modules at the crate level.
563 include!("primitive_docs.rs");
564
565 // Include a number of private modules that exist solely to provide
566 // the rustdoc documentation for the existing keywords. Using `include!`
567 // because rustdoc only looks for these modules at the crate level.
568 include!("keyword_docs.rs");