alloc/string.rs
1//! A UTF-8βencoded, growable string.
2//!
3//! This module contains the [`String`] type, the [`ToString`] trait for
4//! converting to strings, and several error types that may result from
5//! working with [`String`]s.
6//!
7//! # Examples
8//!
9//! There are multiple ways to create a new [`String`] from a string literal:
10//!
11//! ```
12//! let s = "Hello".to_string();
13//!
14//! let s = String::from("world");
15//! let s: String = "also this".into();
16//! ```
17//!
18//! You can create a new [`String`] from an existing one by concatenating with
19//! `+`:
20//!
21//! ```
22//! let s = "Hello".to_string();
23//!
24//! let message = s + " world!";
25//! ```
26//!
27//! If you have a vector of valid UTF-8 bytes, you can make a [`String`] out of
28//! it. You can do the reverse too.
29//!
30//! ```
31//! let sparkle_heart = vec![240, 159, 146, 150];
32//!
33//! // We know these bytes are valid, so we'll use `unwrap()`.
34//! let sparkle_heart = String::from_utf8(sparkle_heart).unwrap();
35//!
36//! assert_eq!("π", sparkle_heart);
37//!
38//! let bytes = sparkle_heart.into_bytes();
39//!
40//! assert_eq!(bytes, [240, 159, 146, 150]);
41//! ```
42
43#![stable(feature = "rust1", since = "1.0.0")]
44
45use core::error::Error;
46use core::iter::FusedIterator;
47#[cfg(not(no_global_oom_handling))]
48use core::iter::from_fn;
49#[cfg(not(no_global_oom_handling))]
50use core::ops::Add;
51#[cfg(not(no_global_oom_handling))]
52use core::ops::AddAssign;
53#[cfg(not(no_global_oom_handling))]
54use core::ops::Bound::{Excluded, Included, Unbounded};
55use core::ops::{self, Range, RangeBounds};
56use core::str::pattern::{Pattern, Utf8Pattern};
57use core::{fmt, hash, ptr, slice};
58
59#[cfg(not(no_global_oom_handling))]
60use crate::alloc::Allocator;
61#[cfg(not(no_global_oom_handling))]
62use crate::borrow::{Cow, ToOwned};
63use crate::boxed::Box;
64use crate::collections::TryReserveError;
65use crate::str::{self, CharIndices, Chars, Utf8Error, from_utf8_unchecked_mut};
66#[cfg(not(no_global_oom_handling))]
67use crate::str::{FromStr, from_boxed_utf8_unchecked};
68use crate::vec::{self, Vec};
69
70/// A UTF-8βencoded, growable string.
71///
72/// `String` is the most common string type. It has ownership over the contents
73/// of the string, stored in a heap-allocated buffer (see [Representation](#representation)).
74/// It is closely related to its borrowed counterpart, the primitive [`str`].
75///
76/// # Examples
77///
78/// You can create a `String` from [a literal string][`&str`] with [`String::from`]:
79///
80/// [`String::from`]: From::from
81///
82/// ```
83/// let hello = String::from("Hello, world!");
84/// ```
85///
86/// You can append a [`char`] to a `String` with the [`push`] method, and
87/// append a [`&str`] with the [`push_str`] method:
88///
89/// ```
90/// let mut hello = String::from("Hello, ");
91///
92/// hello.push('w');
93/// hello.push_str("orld!");
94/// ```
95///
96/// [`push`]: String::push
97/// [`push_str`]: String::push_str
98///
99/// If you have a vector of UTF-8 bytes, you can create a `String` from it with
100/// the [`from_utf8`] method:
101///
102/// ```
103/// // some bytes, in a vector
104/// let sparkle_heart = vec![240, 159, 146, 150];
105///
106/// // We know these bytes are valid, so we'll use `unwrap()`.
107/// let sparkle_heart = String::from_utf8(sparkle_heart).unwrap();
108///
109/// assert_eq!("π", sparkle_heart);
110/// ```
111///
112/// [`from_utf8`]: String::from_utf8
113///
114/// # UTF-8
115///
116/// `String`s are always valid UTF-8. If you need a non-UTF-8 string, consider
117/// [`OsString`]. It is similar, but without the UTF-8 constraint. Because UTF-8
118/// is a variable width encoding, `String`s are typically smaller than an array of
119/// the same `char`s:
120///
121/// ```
122/// // `s` is ASCII which represents each `char` as one byte
123/// let s = "hello";
124/// assert_eq!(s.len(), 5);
125///
126/// // A `char` array with the same contents would be longer because
127/// // every `char` is four bytes
128/// let s = ['h', 'e', 'l', 'l', 'o'];
129/// let size: usize = s.into_iter().map(|c| size_of_val(&c)).sum();
130/// assert_eq!(size, 20);
131///
132/// // However, for non-ASCII strings, the difference will be smaller
133/// // and sometimes they are the same
134/// let s = "πππππ";
135/// assert_eq!(s.len(), 20);
136///
137/// let s = ['π', 'π', 'π', 'π', 'π'];
138/// let size: usize = s.into_iter().map(|c| size_of_val(&c)).sum();
139/// assert_eq!(size, 20);
140/// ```
141///
142/// This raises interesting questions as to how `s[i]` should work.
143/// What should `i` be here? Several options include byte indices and
144/// `char` indices but, because of UTF-8 encoding, only byte indices
145/// would provide constant time indexing. Getting the `i`th `char`, for
146/// example, is available using [`chars`]:
147///
148/// ```
149/// let s = "hello";
150/// let third_character = s.chars().nth(2);
151/// assert_eq!(third_character, Some('l'));
152///
153/// let s = "πππππ";
154/// let third_character = s.chars().nth(2);
155/// assert_eq!(third_character, Some('π'));
156/// ```
157///
158/// Next, what should `s[i]` return? Because indexing returns a reference
159/// to underlying data it could be `&u8`, `&[u8]`, or something similar.
160/// Since we're only providing one index, `&u8` makes the most sense but that
161/// might not be what the user expects and can be explicitly achieved with
162/// [`as_bytes()`]:
163///
164/// ```
165/// // The first byte is 104 - the byte value of `'h'`
166/// let s = "hello";
167/// assert_eq!(s.as_bytes()[0], 104);
168/// // or
169/// assert_eq!(s.as_bytes()[0], b'h');
170///
171/// // The first byte is 240 which isn't obviously useful
172/// let s = "πππππ";
173/// assert_eq!(s.as_bytes()[0], 240);
174/// ```
175///
176/// Due to these ambiguities/restrictions, indexing with a `usize` is simply
177/// forbidden:
178///
179/// ```compile_fail,E0277
180/// let s = "hello";
181///
182/// // The following will not compile!
183/// println!("The first letter of s is {}", s[0]);
184/// ```
185///
186/// It is more clear, however, how `&s[i..j]` should work (that is,
187/// indexing with a range). It should accept byte indices (to be constant-time)
188/// and return a `&str` which is UTF-8 encoded. This is also called "string slicing".
189/// Note this will panic if the byte indices provided are not character
190/// boundaries - see [`is_char_boundary`] for more details. See the implementations
191/// for [`SliceIndex<str>`] for more details on string slicing. For a non-panicking
192/// version of string slicing, see [`get`].
193///
194/// [`OsString`]: ../../std/ffi/struct.OsString.html "ffi::OsString"
195/// [`SliceIndex<str>`]: core::slice::SliceIndex
196/// [`as_bytes()`]: str::as_bytes
197/// [`get`]: str::get
198/// [`is_char_boundary`]: str::is_char_boundary
199///
200/// The [`bytes`] and [`chars`] methods return iterators over the bytes and
201/// codepoints of the string, respectively. To iterate over codepoints along
202/// with byte indices, use [`char_indices`].
203///
204/// [`bytes`]: str::bytes
205/// [`chars`]: str::chars
206/// [`char_indices`]: str::char_indices
207///
208/// # Deref
209///
210/// `String` implements <code>[Deref]<Target = [str]></code>, and so inherits all of [`str`]'s
211/// methods. In addition, this means that you can pass a `String` to a
212/// function which takes a [`&str`] by using an ampersand (`&`):
213///
214/// ```
215/// fn takes_str(s: &str) { }
216///
217/// let s = String::from("Hello");
218///
219/// takes_str(&s);
220/// ```
221///
222/// This will create a [`&str`] from the `String` and pass it in. This
223/// conversion is very inexpensive, and so generally, functions will accept
224/// [`&str`]s as arguments unless they need a `String` for some specific
225/// reason.
226///
227/// In certain cases Rust doesn't have enough information to make this
228/// conversion, known as [`Deref`] coercion. In the following example a string
229/// slice [`&'a str`][`&str`] implements the trait `TraitExample`, and the function
230/// `example_func` takes anything that implements the trait. In this case Rust
231/// would need to make two implicit conversions, which Rust doesn't have the
232/// means to do. For that reason, the following example will not compile.
233///
234/// ```compile_fail,E0277
235/// trait TraitExample {}
236///
237/// impl<'a> TraitExample for &'a str {}
238///
239/// fn example_func<A: TraitExample>(example_arg: A) {}
240///
241/// let example_string = String::from("example_string");
242/// example_func(&example_string);
243/// ```
244///
245/// There are two options that would work instead. The first would be to
246/// change the line `example_func(&example_string);` to
247/// `example_func(example_string.as_str());`, using the method [`as_str()`]
248/// to explicitly extract the string slice containing the string. The second
249/// way changes `example_func(&example_string);` to
250/// `example_func(&*example_string);`. In this case we are dereferencing a
251/// `String` to a [`str`], then referencing the [`str`] back to
252/// [`&str`]. The second way is more idiomatic, however both work to do the
253/// conversion explicitly rather than relying on the implicit conversion.
254///
255/// # Representation
256///
257/// A `String` is made up of three components: a pointer to some bytes, a
258/// length, and a capacity. The pointer points to the internal buffer which `String`
259/// uses to store its data. The length is the number of bytes currently stored
260/// in the buffer, and the capacity is the size of the buffer in bytes. As such,
261/// the length will always be less than or equal to the capacity.
262///
263/// This buffer is always stored on the heap.
264///
265/// You can look at these with the [`as_ptr`], [`len`], and [`capacity`]
266/// methods:
267///
268// FIXME Update this when vec_into_raw_parts is stabilized
269/// ```
270/// use std::mem;
271///
272/// let story = String::from("Once upon a time...");
273///
274/// // Prevent automatically dropping the String's data
275/// let mut story = mem::ManuallyDrop::new(story);
276///
277/// let ptr = story.as_mut_ptr();
278/// let len = story.len();
279/// let capacity = story.capacity();
280///
281/// // story has nineteen bytes
282/// assert_eq!(19, len);
283///
284/// // We can re-build a String out of ptr, len, and capacity. This is all
285/// // unsafe because we are responsible for making sure the components are
286/// // valid:
287/// let s = unsafe { String::from_raw_parts(ptr, len, capacity) } ;
288///
289/// assert_eq!(String::from("Once upon a time..."), s);
290/// ```
291///
292/// [`as_ptr`]: str::as_ptr
293/// [`len`]: String::len
294/// [`capacity`]: String::capacity
295///
296/// If a `String` has enough capacity, adding elements to it will not
297/// re-allocate. For example, consider this program:
298///
299/// ```
300/// let mut s = String::new();
301///
302/// println!("{}", s.capacity());
303///
304/// for _ in 0..5 {
305/// s.push_str("hello");
306/// println!("{}", s.capacity());
307/// }
308/// ```
309///
310/// This will output the following:
311///
312/// ```text
313/// 0
314/// 8
315/// 16
316/// 16
317/// 32
318/// 32
319/// ```
320///
321/// At first, we have no memory allocated at all, but as we append to the
322/// string, it increases its capacity appropriately. If we instead use the
323/// [`with_capacity`] method to allocate the correct capacity initially:
324///
325/// ```
326/// let mut s = String::with_capacity(25);
327///
328/// println!("{}", s.capacity());
329///
330/// for _ in 0..5 {
331/// s.push_str("hello");
332/// println!("{}", s.capacity());
333/// }
334/// ```
335///
336/// [`with_capacity`]: String::with_capacity
337///
338/// We end up with a different output:
339///
340/// ```text
341/// 25
342/// 25
343/// 25
344/// 25
345/// 25
346/// 25
347/// ```
348///
349/// Here, there's no need to allocate more memory inside the loop.
350///
351/// [str]: prim@str "str"
352/// [`str`]: prim@str "str"
353/// [`&str`]: prim@str "&str"
354/// [Deref]: core::ops::Deref "ops::Deref"
355/// [`Deref`]: core::ops::Deref "ops::Deref"
356/// [`as_str()`]: String::as_str
357#[derive(PartialEq, PartialOrd, Eq, Ord)]
358#[stable(feature = "rust1", since = "1.0.0")]
359#[lang = "String"]
360pub struct String {
361 vec: Vec<u8>,
362}
363
364/// A possible error value when converting a `String` from a UTF-8 byte vector.
365///
366/// This type is the error type for the [`from_utf8`] method on [`String`]. It
367/// is designed in such a way to carefully avoid reallocations: the
368/// [`into_bytes`] method will give back the byte vector that was used in the
369/// conversion attempt.
370///
371/// [`from_utf8`]: String::from_utf8
372/// [`into_bytes`]: FromUtf8Error::into_bytes
373///
374/// The [`Utf8Error`] type provided by [`std::str`] represents an error that may
375/// occur when converting a slice of [`u8`]s to a [`&str`]. In this sense, it's
376/// an analogue to `FromUtf8Error`, and you can get one from a `FromUtf8Error`
377/// through the [`utf8_error`] method.
378///
379/// [`Utf8Error`]: str::Utf8Error "std::str::Utf8Error"
380/// [`std::str`]: core::str "std::str"
381/// [`&str`]: prim@str "&str"
382/// [`utf8_error`]: FromUtf8Error::utf8_error
383///
384/// # Examples
385///
386/// ```
387/// // some invalid bytes, in a vector
388/// let bytes = vec![0, 159];
389///
390/// let value = String::from_utf8(bytes);
391///
392/// assert!(value.is_err());
393/// assert_eq!(vec![0, 159], value.unwrap_err().into_bytes());
394/// ```
395#[stable(feature = "rust1", since = "1.0.0")]
396#[cfg_attr(not(no_global_oom_handling), derive(Clone))]
397#[derive(Debug, PartialEq, Eq)]
398pub struct FromUtf8Error {
399 bytes: Vec<u8>,
400 error: Utf8Error,
401}
402
403/// A possible error value when converting a `String` from a UTF-16 byte slice.
404///
405/// This type is the error type for the [`from_utf16`] method on [`String`].
406///
407/// [`from_utf16`]: String::from_utf16
408///
409/// # Examples
410///
411/// ```
412/// // πmu<invalid>ic
413/// let v = &[0xD834, 0xDD1E, 0x006d, 0x0075,
414/// 0xD800, 0x0069, 0x0063];
415///
416/// assert!(String::from_utf16(v).is_err());
417/// ```
418#[stable(feature = "rust1", since = "1.0.0")]
419#[derive(Debug)]
420pub struct FromUtf16Error(());
421
422impl String {
423 /// Creates a new empty `String`.
424 ///
425 /// Given that the `String` is empty, this will not allocate any initial
426 /// buffer. While that means that this initial operation is very
427 /// inexpensive, it may cause excessive allocation later when you add
428 /// data. If you have an idea of how much data the `String` will hold,
429 /// consider the [`with_capacity`] method to prevent excessive
430 /// re-allocation.
431 ///
432 /// [`with_capacity`]: String::with_capacity
433 ///
434 /// # Examples
435 ///
436 /// ```
437 /// let s = String::new();
438 /// ```
439 #[inline]
440 #[rustc_const_stable(feature = "const_string_new", since = "1.39.0")]
441 #[rustc_diagnostic_item = "string_new"]
442 #[stable(feature = "rust1", since = "1.0.0")]
443 #[must_use]
444 pub const fn new() -> String {
445 String { vec: Vec::new() }
446 }
447
448 /// Creates a new empty `String` with at least the specified capacity.
449 ///
450 /// `String`s have an internal buffer to hold their data. The capacity is
451 /// the length of that buffer, and can be queried with the [`capacity`]
452 /// method. This method creates an empty `String`, but one with an initial
453 /// buffer that can hold at least `capacity` bytes. This is useful when you
454 /// may be appending a bunch of data to the `String`, reducing the number of
455 /// reallocations it needs to do.
456 ///
457 /// [`capacity`]: String::capacity
458 ///
459 /// If the given capacity is `0`, no allocation will occur, and this method
460 /// is identical to the [`new`] method.
461 ///
462 /// [`new`]: String::new
463 ///
464 /// # Examples
465 ///
466 /// ```
467 /// let mut s = String::with_capacity(10);
468 ///
469 /// // The String contains no chars, even though it has capacity for more
470 /// assert_eq!(s.len(), 0);
471 ///
472 /// // These are all done without reallocating...
473 /// let cap = s.capacity();
474 /// for _ in 0..10 {
475 /// s.push('a');
476 /// }
477 ///
478 /// assert_eq!(s.capacity(), cap);
479 ///
480 /// // ...but this may make the string reallocate
481 /// s.push('a');
482 /// ```
483 #[cfg(not(no_global_oom_handling))]
484 #[inline]
485 #[stable(feature = "rust1", since = "1.0.0")]
486 #[must_use]
487 pub fn with_capacity(capacity: usize) -> String {
488 String { vec: Vec::with_capacity(capacity) }
489 }
490
491 /// Creates a new empty `String` with at least the specified capacity.
492 ///
493 /// # Errors
494 ///
495 /// Returns [`Err`] if the capacity exceeds `isize::MAX` bytes,
496 /// or if the memory allocator reports failure.
497 ///
498 #[inline]
499 #[unstable(feature = "try_with_capacity", issue = "91913")]
500 pub fn try_with_capacity(capacity: usize) -> Result<String, TryReserveError> {
501 Ok(String { vec: Vec::try_with_capacity(capacity)? })
502 }
503
504 /// Converts a vector of bytes to a `String`.
505 ///
506 /// A string ([`String`]) is made of bytes ([`u8`]), and a vector of bytes
507 /// ([`Vec<u8>`]) is made of bytes, so this function converts between the
508 /// two. Not all byte slices are valid `String`s, however: `String`
509 /// requires that it is valid UTF-8. `from_utf8()` checks to ensure that
510 /// the bytes are valid UTF-8, and then does the conversion.
511 ///
512 /// If you are sure that the byte slice is valid UTF-8, and you don't want
513 /// to incur the overhead of the validity check, there is an unsafe version
514 /// of this function, [`from_utf8_unchecked`], which has the same behavior
515 /// but skips the check.
516 ///
517 /// This method will take care to not copy the vector, for efficiency's
518 /// sake.
519 ///
520 /// If you need a [`&str`] instead of a `String`, consider
521 /// [`str::from_utf8`].
522 ///
523 /// The inverse of this method is [`into_bytes`].
524 ///
525 /// # Errors
526 ///
527 /// Returns [`Err`] if the slice is not UTF-8 with a description as to why the
528 /// provided bytes are not UTF-8. The vector you moved in is also included.
529 ///
530 /// # Examples
531 ///
532 /// Basic usage:
533 ///
534 /// ```
535 /// // some bytes, in a vector
536 /// let sparkle_heart = vec![240, 159, 146, 150];
537 ///
538 /// // We know these bytes are valid, so we'll use `unwrap()`.
539 /// let sparkle_heart = String::from_utf8(sparkle_heart).unwrap();
540 ///
541 /// assert_eq!("π", sparkle_heart);
542 /// ```
543 ///
544 /// Incorrect bytes:
545 ///
546 /// ```
547 /// // some invalid bytes, in a vector
548 /// let sparkle_heart = vec![0, 159, 146, 150];
549 ///
550 /// assert!(String::from_utf8(sparkle_heart).is_err());
551 /// ```
552 ///
553 /// See the docs for [`FromUtf8Error`] for more details on what you can do
554 /// with this error.
555 ///
556 /// [`from_utf8_unchecked`]: String::from_utf8_unchecked
557 /// [`Vec<u8>`]: crate::vec::Vec "Vec"
558 /// [`&str`]: prim@str "&str"
559 /// [`into_bytes`]: String::into_bytes
560 #[inline]
561 #[stable(feature = "rust1", since = "1.0.0")]
562 #[rustc_diagnostic_item = "string_from_utf8"]
563 pub fn from_utf8(vec: Vec<u8>) -> Result<String, FromUtf8Error> {
564 match str::from_utf8(&vec) {
565 Ok(..) => Ok(String { vec }),
566 Err(e) => Err(FromUtf8Error { bytes: vec, error: e }),
567 }
568 }
569
570 /// Converts a slice of bytes to a string, including invalid characters.
571 ///
572 /// Strings are made of bytes ([`u8`]), and a slice of bytes
573 /// ([`&[u8]`][byteslice]) is made of bytes, so this function converts
574 /// between the two. Not all byte slices are valid strings, however: strings
575 /// are required to be valid UTF-8. During this conversion,
576 /// `from_utf8_lossy()` will replace any invalid UTF-8 sequences with
577 /// [`U+FFFD REPLACEMENT CHARACTER`][U+FFFD], which looks like this: οΏ½
578 ///
579 /// [byteslice]: prim@slice
580 /// [U+FFFD]: core::char::REPLACEMENT_CHARACTER
581 ///
582 /// If you are sure that the byte slice is valid UTF-8, and you don't want
583 /// to incur the overhead of the conversion, there is an unsafe version
584 /// of this function, [`from_utf8_unchecked`], which has the same behavior
585 /// but skips the checks.
586 ///
587 /// [`from_utf8_unchecked`]: String::from_utf8_unchecked
588 ///
589 /// This function returns a [`Cow<'a, str>`]. If our byte slice is invalid
590 /// UTF-8, then we need to insert the replacement characters, which will
591 /// change the size of the string, and hence, require a `String`. But if
592 /// it's already valid UTF-8, we don't need a new allocation. This return
593 /// type allows us to handle both cases.
594 ///
595 /// [`Cow<'a, str>`]: crate::borrow::Cow "borrow::Cow"
596 ///
597 /// # Examples
598 ///
599 /// Basic usage:
600 ///
601 /// ```
602 /// // some bytes, in a vector
603 /// let sparkle_heart = vec![240, 159, 146, 150];
604 ///
605 /// let sparkle_heart = String::from_utf8_lossy(&sparkle_heart);
606 ///
607 /// assert_eq!("π", sparkle_heart);
608 /// ```
609 ///
610 /// Incorrect bytes:
611 ///
612 /// ```
613 /// // some invalid bytes
614 /// let input = b"Hello \xF0\x90\x80World";
615 /// let output = String::from_utf8_lossy(input);
616 ///
617 /// assert_eq!("Hello οΏ½World", output);
618 /// ```
619 #[must_use]
620 #[cfg(not(no_global_oom_handling))]
621 #[stable(feature = "rust1", since = "1.0.0")]
622 pub fn from_utf8_lossy(v: &[u8]) -> Cow<'_, str> {
623 let mut iter = v.utf8_chunks();
624
625 let first_valid = if let Some(chunk) = iter.next() {
626 let valid = chunk.valid();
627 if chunk.invalid().is_empty() {
628 debug_assert_eq!(valid.len(), v.len());
629 return Cow::Borrowed(valid);
630 }
631 valid
632 } else {
633 return Cow::Borrowed("");
634 };
635
636 const REPLACEMENT: &str = "\u{FFFD}";
637
638 let mut res = String::with_capacity(v.len());
639 res.push_str(first_valid);
640 res.push_str(REPLACEMENT);
641
642 for chunk in iter {
643 res.push_str(chunk.valid());
644 if !chunk.invalid().is_empty() {
645 res.push_str(REPLACEMENT);
646 }
647 }
648
649 Cow::Owned(res)
650 }
651
652 /// Converts a [`Vec<u8>`] to a `String`, substituting invalid UTF-8
653 /// sequences with replacement characters.
654 ///
655 /// See [`from_utf8_lossy`] for more details.
656 ///
657 /// [`from_utf8_lossy`]: String::from_utf8_lossy
658 ///
659 /// Note that this function does not guarantee reuse of the original `Vec`
660 /// allocation.
661 ///
662 /// # Examples
663 ///
664 /// Basic usage:
665 ///
666 /// ```
667 /// #![feature(string_from_utf8_lossy_owned)]
668 /// // some bytes, in a vector
669 /// let sparkle_heart = vec![240, 159, 146, 150];
670 ///
671 /// let sparkle_heart = String::from_utf8_lossy_owned(sparkle_heart);
672 ///
673 /// assert_eq!(String::from("π"), sparkle_heart);
674 /// ```
675 ///
676 /// Incorrect bytes:
677 ///
678 /// ```
679 /// #![feature(string_from_utf8_lossy_owned)]
680 /// // some invalid bytes
681 /// let input: Vec<u8> = b"Hello \xF0\x90\x80World".into();
682 /// let output = String::from_utf8_lossy_owned(input);
683 ///
684 /// assert_eq!(String::from("Hello οΏ½World"), output);
685 /// ```
686 #[must_use]
687 #[cfg(not(no_global_oom_handling))]
688 #[unstable(feature = "string_from_utf8_lossy_owned", issue = "129436")]
689 pub fn from_utf8_lossy_owned(v: Vec<u8>) -> String {
690 if let Cow::Owned(string) = String::from_utf8_lossy(&v) {
691 string
692 } else {
693 // SAFETY: `String::from_utf8_lossy`'s contract ensures that if
694 // it returns a `Cow::Borrowed`, it is a valid UTF-8 string.
695 // Otherwise, it returns a new allocation of an owned `String`, with
696 // replacement characters for invalid sequences, which is returned
697 // above.
698 unsafe { String::from_utf8_unchecked(v) }
699 }
700 }
701
702 /// Decode a native endian UTF-16βencoded vector `v` into a `String`,
703 /// returning [`Err`] if `v` contains any invalid data.
704 ///
705 /// # Examples
706 ///
707 /// ```
708 /// // πmusic
709 /// let v = &[0xD834, 0xDD1E, 0x006d, 0x0075,
710 /// 0x0073, 0x0069, 0x0063];
711 /// assert_eq!(String::from("πmusic"),
712 /// String::from_utf16(v).unwrap());
713 ///
714 /// // πmu<invalid>ic
715 /// let v = &[0xD834, 0xDD1E, 0x006d, 0x0075,
716 /// 0xD800, 0x0069, 0x0063];
717 /// assert!(String::from_utf16(v).is_err());
718 /// ```
719 #[cfg(not(no_global_oom_handling))]
720 #[stable(feature = "rust1", since = "1.0.0")]
721 pub fn from_utf16(v: &[u16]) -> Result<String, FromUtf16Error> {
722 // This isn't done via collect::<Result<_, _>>() for performance reasons.
723 // FIXME: the function can be simplified again when #48994 is closed.
724 let mut ret = String::with_capacity(v.len());
725 for c in char::decode_utf16(v.iter().cloned()) {
726 if let Ok(c) = c {
727 ret.push(c);
728 } else {
729 return Err(FromUtf16Error(()));
730 }
731 }
732 Ok(ret)
733 }
734
735 /// Decode a native endian UTF-16βencoded slice `v` into a `String`,
736 /// replacing invalid data with [the replacement character (`U+FFFD`)][U+FFFD].
737 ///
738 /// Unlike [`from_utf8_lossy`] which returns a [`Cow<'a, str>`],
739 /// `from_utf16_lossy` returns a `String` since the UTF-16 to UTF-8
740 /// conversion requires a memory allocation.
741 ///
742 /// [`from_utf8_lossy`]: String::from_utf8_lossy
743 /// [`Cow<'a, str>`]: crate::borrow::Cow "borrow::Cow"
744 /// [U+FFFD]: core::char::REPLACEMENT_CHARACTER
745 ///
746 /// # Examples
747 ///
748 /// ```
749 /// // πmus<invalid>ic<invalid>
750 /// let v = &[0xD834, 0xDD1E, 0x006d, 0x0075,
751 /// 0x0073, 0xDD1E, 0x0069, 0x0063,
752 /// 0xD834];
753 ///
754 /// assert_eq!(String::from("πmus\u{FFFD}ic\u{FFFD}"),
755 /// String::from_utf16_lossy(v));
756 /// ```
757 #[cfg(not(no_global_oom_handling))]
758 #[must_use]
759 #[inline]
760 #[stable(feature = "rust1", since = "1.0.0")]
761 pub fn from_utf16_lossy(v: &[u16]) -> String {
762 char::decode_utf16(v.iter().cloned())
763 .map(|r| r.unwrap_or(char::REPLACEMENT_CHARACTER))
764 .collect()
765 }
766
767 /// Decode a UTF-16LEβencoded vector `v` into a `String`,
768 /// returning [`Err`] if `v` contains any invalid data.
769 ///
770 /// # Examples
771 ///
772 /// Basic usage:
773 ///
774 /// ```
775 /// #![feature(str_from_utf16_endian)]
776 /// // πmusic
777 /// let v = &[0x34, 0xD8, 0x1E, 0xDD, 0x6d, 0x00, 0x75, 0x00,
778 /// 0x73, 0x00, 0x69, 0x00, 0x63, 0x00];
779 /// assert_eq!(String::from("πmusic"),
780 /// String::from_utf16le(v).unwrap());
781 ///
782 /// // πmu<invalid>ic
783 /// let v = &[0x34, 0xD8, 0x1E, 0xDD, 0x6d, 0x00, 0x75, 0x00,
784 /// 0x00, 0xD8, 0x69, 0x00, 0x63, 0x00];
785 /// assert!(String::from_utf16le(v).is_err());
786 /// ```
787 #[cfg(not(no_global_oom_handling))]
788 #[unstable(feature = "str_from_utf16_endian", issue = "116258")]
789 pub fn from_utf16le(v: &[u8]) -> Result<String, FromUtf16Error> {
790 let (chunks, []) = v.as_chunks::<2>() else {
791 return Err(FromUtf16Error(()));
792 };
793 match (cfg!(target_endian = "little"), unsafe { v.align_to::<u16>() }) {
794 (true, ([], v, [])) => Self::from_utf16(v),
795 _ => char::decode_utf16(chunks.iter().copied().map(u16::from_le_bytes))
796 .collect::<Result<_, _>>()
797 .map_err(|_| FromUtf16Error(())),
798 }
799 }
800
801 /// Decode a UTF-16LEβencoded slice `v` into a `String`, replacing
802 /// invalid data with [the replacement character (`U+FFFD`)][U+FFFD].
803 ///
804 /// Unlike [`from_utf8_lossy`] which returns a [`Cow<'a, str>`],
805 /// `from_utf16le_lossy` returns a `String` since the UTF-16 to UTF-8
806 /// conversion requires a memory allocation.
807 ///
808 /// [`from_utf8_lossy`]: String::from_utf8_lossy
809 /// [`Cow<'a, str>`]: crate::borrow::Cow "borrow::Cow"
810 /// [U+FFFD]: core::char::REPLACEMENT_CHARACTER
811 ///
812 /// # Examples
813 ///
814 /// Basic usage:
815 ///
816 /// ```
817 /// #![feature(str_from_utf16_endian)]
818 /// // πmus<invalid>ic<invalid>
819 /// let v = &[0x34, 0xD8, 0x1E, 0xDD, 0x6d, 0x00, 0x75, 0x00,
820 /// 0x73, 0x00, 0x1E, 0xDD, 0x69, 0x00, 0x63, 0x00,
821 /// 0x34, 0xD8];
822 ///
823 /// assert_eq!(String::from("πmus\u{FFFD}ic\u{FFFD}"),
824 /// String::from_utf16le_lossy(v));
825 /// ```
826 #[cfg(not(no_global_oom_handling))]
827 #[unstable(feature = "str_from_utf16_endian", issue = "116258")]
828 pub fn from_utf16le_lossy(v: &[u8]) -> String {
829 match (cfg!(target_endian = "little"), unsafe { v.align_to::<u16>() }) {
830 (true, ([], v, [])) => Self::from_utf16_lossy(v),
831 (true, ([], v, [_remainder])) => Self::from_utf16_lossy(v) + "\u{FFFD}",
832 _ => {
833 let (chunks, remainder) = v.as_chunks::<2>();
834 let string = char::decode_utf16(chunks.iter().copied().map(u16::from_le_bytes))
835 .map(|r| r.unwrap_or(char::REPLACEMENT_CHARACTER))
836 .collect();
837 if remainder.is_empty() { string } else { string + "\u{FFFD}" }
838 }
839 }
840 }
841
842 /// Decode a UTF-16BEβencoded vector `v` into a `String`,
843 /// returning [`Err`] if `v` contains any invalid data.
844 ///
845 /// # Examples
846 ///
847 /// Basic usage:
848 ///
849 /// ```
850 /// #![feature(str_from_utf16_endian)]
851 /// // πmusic
852 /// let v = &[0xD8, 0x34, 0xDD, 0x1E, 0x00, 0x6d, 0x00, 0x75,
853 /// 0x00, 0x73, 0x00, 0x69, 0x00, 0x63];
854 /// assert_eq!(String::from("πmusic"),
855 /// String::from_utf16be(v).unwrap());
856 ///
857 /// // πmu<invalid>ic
858 /// let v = &[0xD8, 0x34, 0xDD, 0x1E, 0x00, 0x6d, 0x00, 0x75,
859 /// 0xD8, 0x00, 0x00, 0x69, 0x00, 0x63];
860 /// assert!(String::from_utf16be(v).is_err());
861 /// ```
862 #[cfg(not(no_global_oom_handling))]
863 #[unstable(feature = "str_from_utf16_endian", issue = "116258")]
864 pub fn from_utf16be(v: &[u8]) -> Result<String, FromUtf16Error> {
865 let (chunks, []) = v.as_chunks::<2>() else {
866 return Err(FromUtf16Error(()));
867 };
868 match (cfg!(target_endian = "big"), unsafe { v.align_to::<u16>() }) {
869 (true, ([], v, [])) => Self::from_utf16(v),
870 _ => char::decode_utf16(chunks.iter().copied().map(u16::from_be_bytes))
871 .collect::<Result<_, _>>()
872 .map_err(|_| FromUtf16Error(())),
873 }
874 }
875
876 /// Decode a UTF-16BEβencoded slice `v` into a `String`, replacing
877 /// invalid data with [the replacement character (`U+FFFD`)][U+FFFD].
878 ///
879 /// Unlike [`from_utf8_lossy`] which returns a [`Cow<'a, str>`],
880 /// `from_utf16le_lossy` returns a `String` since the UTF-16 to UTF-8
881 /// conversion requires a memory allocation.
882 ///
883 /// [`from_utf8_lossy`]: String::from_utf8_lossy
884 /// [`Cow<'a, str>`]: crate::borrow::Cow "borrow::Cow"
885 /// [U+FFFD]: core::char::REPLACEMENT_CHARACTER
886 ///
887 /// # Examples
888 ///
889 /// Basic usage:
890 ///
891 /// ```
892 /// #![feature(str_from_utf16_endian)]
893 /// // πmus<invalid>ic<invalid>
894 /// let v = &[0xD8, 0x34, 0xDD, 0x1E, 0x00, 0x6d, 0x00, 0x75,
895 /// 0x00, 0x73, 0xDD, 0x1E, 0x00, 0x69, 0x00, 0x63,
896 /// 0xD8, 0x34];
897 ///
898 /// assert_eq!(String::from("πmus\u{FFFD}ic\u{FFFD}"),
899 /// String::from_utf16be_lossy(v));
900 /// ```
901 #[cfg(not(no_global_oom_handling))]
902 #[unstable(feature = "str_from_utf16_endian", issue = "116258")]
903 pub fn from_utf16be_lossy(v: &[u8]) -> String {
904 match (cfg!(target_endian = "big"), unsafe { v.align_to::<u16>() }) {
905 (true, ([], v, [])) => Self::from_utf16_lossy(v),
906 (true, ([], v, [_remainder])) => Self::from_utf16_lossy(v) + "\u{FFFD}",
907 _ => {
908 let (chunks, remainder) = v.as_chunks::<2>();
909 let string = char::decode_utf16(chunks.iter().copied().map(u16::from_be_bytes))
910 .map(|r| r.unwrap_or(char::REPLACEMENT_CHARACTER))
911 .collect();
912 if remainder.is_empty() { string } else { string + "\u{FFFD}" }
913 }
914 }
915 }
916
917 /// Decomposes a `String` into its raw components: `(pointer, length, capacity)`.
918 ///
919 /// Returns the raw pointer to the underlying data, the length of
920 /// the string (in bytes), and the allocated capacity of the data
921 /// (in bytes). These are the same arguments in the same order as
922 /// the arguments to [`from_raw_parts`].
923 ///
924 /// After calling this function, the caller is responsible for the
925 /// memory previously managed by the `String`. The only way to do
926 /// this is to convert the raw pointer, length, and capacity back
927 /// into a `String` with the [`from_raw_parts`] function, allowing
928 /// the destructor to perform the cleanup.
929 ///
930 /// [`from_raw_parts`]: String::from_raw_parts
931 ///
932 /// # Examples
933 ///
934 /// ```
935 /// #![feature(vec_into_raw_parts)]
936 /// let s = String::from("hello");
937 ///
938 /// let (ptr, len, cap) = s.into_raw_parts();
939 ///
940 /// let rebuilt = unsafe { String::from_raw_parts(ptr, len, cap) };
941 /// assert_eq!(rebuilt, "hello");
942 /// ```
943 #[must_use = "losing the pointer will leak memory"]
944 #[unstable(feature = "vec_into_raw_parts", reason = "new API", issue = "65816")]
945 pub fn into_raw_parts(self) -> (*mut u8, usize, usize) {
946 self.vec.into_raw_parts()
947 }
948
949 /// Creates a new `String` from a pointer, a length and a capacity.
950 ///
951 /// # Safety
952 ///
953 /// This is highly unsafe, due to the number of invariants that aren't
954 /// checked:
955 ///
956 /// * all safety requirements for [`Vec::<u8>::from_raw_parts`].
957 /// * all safety requirements for [`String::from_utf8_unchecked`].
958 ///
959 /// Violating these may cause problems like corrupting the allocator's
960 /// internal data structures. For example, it is normally **not** safe to
961 /// build a `String` from a pointer to a C `char` array containing UTF-8
962 /// _unless_ you are certain that array was originally allocated by the
963 /// Rust standard library's allocator.
964 ///
965 /// The ownership of `buf` is effectively transferred to the
966 /// `String` which may then deallocate, reallocate or change the
967 /// contents of memory pointed to by the pointer at will. Ensure
968 /// that nothing else uses the pointer after calling this
969 /// function.
970 ///
971 /// # Examples
972 ///
973 // FIXME Update this when vec_into_raw_parts is stabilized
974 /// ```
975 /// use std::mem;
976 ///
977 /// unsafe {
978 /// let s = String::from("hello");
979 ///
980 /// // Prevent automatically dropping the String's data
981 /// let mut s = mem::ManuallyDrop::new(s);
982 ///
983 /// let ptr = s.as_mut_ptr();
984 /// let len = s.len();
985 /// let capacity = s.capacity();
986 ///
987 /// let s = String::from_raw_parts(ptr, len, capacity);
988 ///
989 /// assert_eq!(String::from("hello"), s);
990 /// }
991 /// ```
992 #[inline]
993 #[stable(feature = "rust1", since = "1.0.0")]
994 pub unsafe fn from_raw_parts(buf: *mut u8, length: usize, capacity: usize) -> String {
995 unsafe { String { vec: Vec::from_raw_parts(buf, length, capacity) } }
996 }
997
998 /// Converts a vector of bytes to a `String` without checking that the
999 /// string contains valid UTF-8.
1000 ///
1001 /// See the safe version, [`from_utf8`], for more details.
1002 ///
1003 /// [`from_utf8`]: String::from_utf8
1004 ///
1005 /// # Safety
1006 ///
1007 /// This function is unsafe because it does not check that the bytes passed
1008 /// to it are valid UTF-8. If this constraint is violated, it may cause
1009 /// memory unsafety issues with future users of the `String`, as the rest of
1010 /// the standard library assumes that `String`s are valid UTF-8.
1011 ///
1012 /// # Examples
1013 ///
1014 /// ```
1015 /// // some bytes, in a vector
1016 /// let sparkle_heart = vec![240, 159, 146, 150];
1017 ///
1018 /// let sparkle_heart = unsafe {
1019 /// String::from_utf8_unchecked(sparkle_heart)
1020 /// };
1021 ///
1022 /// assert_eq!("π", sparkle_heart);
1023 /// ```
1024 #[inline]
1025 #[must_use]
1026 #[stable(feature = "rust1", since = "1.0.0")]
1027 pub unsafe fn from_utf8_unchecked(bytes: Vec<u8>) -> String {
1028 String { vec: bytes }
1029 }
1030
1031 /// Converts a `String` into a byte vector.
1032 ///
1033 /// This consumes the `String`, so we do not need to copy its contents.
1034 ///
1035 /// # Examples
1036 ///
1037 /// ```
1038 /// let s = String::from("hello");
1039 /// let bytes = s.into_bytes();
1040 ///
1041 /// assert_eq!(&[104, 101, 108, 108, 111][..], &bytes[..]);
1042 /// ```
1043 #[inline]
1044 #[must_use = "`self` will be dropped if the result is not used"]
1045 #[stable(feature = "rust1", since = "1.0.0")]
1046 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1047 #[rustc_allow_const_fn_unstable(const_precise_live_drops)]
1048 pub const fn into_bytes(self) -> Vec<u8> {
1049 self.vec
1050 }
1051
1052 /// Extracts a string slice containing the entire `String`.
1053 ///
1054 /// # Examples
1055 ///
1056 /// ```
1057 /// let s = String::from("foo");
1058 ///
1059 /// assert_eq!("foo", s.as_str());
1060 /// ```
1061 #[inline]
1062 #[must_use]
1063 #[stable(feature = "string_as_str", since = "1.7.0")]
1064 #[rustc_diagnostic_item = "string_as_str"]
1065 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1066 pub const fn as_str(&self) -> &str {
1067 // SAFETY: String contents are stipulated to be valid UTF-8, invalid contents are an error
1068 // at construction.
1069 unsafe { str::from_utf8_unchecked(self.vec.as_slice()) }
1070 }
1071
1072 /// Converts a `String` into a mutable string slice.
1073 ///
1074 /// # Examples
1075 ///
1076 /// ```
1077 /// let mut s = String::from("foobar");
1078 /// let s_mut_str = s.as_mut_str();
1079 ///
1080 /// s_mut_str.make_ascii_uppercase();
1081 ///
1082 /// assert_eq!("FOOBAR", s_mut_str);
1083 /// ```
1084 #[inline]
1085 #[must_use]
1086 #[stable(feature = "string_as_str", since = "1.7.0")]
1087 #[rustc_diagnostic_item = "string_as_mut_str"]
1088 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1089 pub const fn as_mut_str(&mut self) -> &mut str {
1090 // SAFETY: String contents are stipulated to be valid UTF-8, invalid contents are an error
1091 // at construction.
1092 unsafe { str::from_utf8_unchecked_mut(self.vec.as_mut_slice()) }
1093 }
1094
1095 /// Appends a given string slice onto the end of this `String`.
1096 ///
1097 /// # Examples
1098 ///
1099 /// ```
1100 /// let mut s = String::from("foo");
1101 ///
1102 /// s.push_str("bar");
1103 ///
1104 /// assert_eq!("foobar", s);
1105 /// ```
1106 #[cfg(not(no_global_oom_handling))]
1107 #[inline]
1108 #[track_caller]
1109 #[stable(feature = "rust1", since = "1.0.0")]
1110 #[rustc_confusables("append", "push")]
1111 #[rustc_diagnostic_item = "string_push_str"]
1112 pub fn push_str(&mut self, string: &str) {
1113 self.vec.extend_from_slice(string.as_bytes())
1114 }
1115
1116 /// Copies elements from `src` range to the end of the string.
1117 ///
1118 /// # Panics
1119 ///
1120 /// Panics if the starting point or end point do not lie on a [`char`]
1121 /// boundary, or if they're out of bounds.
1122 ///
1123 /// # Examples
1124 ///
1125 /// ```
1126 /// let mut string = String::from("abcde");
1127 ///
1128 /// string.extend_from_within(2..);
1129 /// assert_eq!(string, "abcdecde");
1130 ///
1131 /// string.extend_from_within(..2);
1132 /// assert_eq!(string, "abcdecdeab");
1133 ///
1134 /// string.extend_from_within(4..8);
1135 /// assert_eq!(string, "abcdecdeabecde");
1136 /// ```
1137 #[cfg(not(no_global_oom_handling))]
1138 #[stable(feature = "string_extend_from_within", since = "1.87.0")]
1139 #[track_caller]
1140 pub fn extend_from_within<R>(&mut self, src: R)
1141 where
1142 R: RangeBounds<usize>,
1143 {
1144 let src @ Range { start, end } = slice::range(src, ..self.len());
1145
1146 assert!(self.is_char_boundary(start));
1147 assert!(self.is_char_boundary(end));
1148
1149 self.vec.extend_from_within(src);
1150 }
1151
1152 /// Returns this `String`'s capacity, in bytes.
1153 ///
1154 /// # Examples
1155 ///
1156 /// ```
1157 /// let s = String::with_capacity(10);
1158 ///
1159 /// assert!(s.capacity() >= 10);
1160 /// ```
1161 #[inline]
1162 #[must_use]
1163 #[stable(feature = "rust1", since = "1.0.0")]
1164 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1165 pub const fn capacity(&self) -> usize {
1166 self.vec.capacity()
1167 }
1168
1169 /// Reserves capacity for at least `additional` bytes more than the
1170 /// current length. The allocator may reserve more space to speculatively
1171 /// avoid frequent allocations. After calling `reserve`,
1172 /// capacity will be greater than or equal to `self.len() + additional`.
1173 /// Does nothing if capacity is already sufficient.
1174 ///
1175 /// # Panics
1176 ///
1177 /// Panics if the new capacity overflows [`usize`].
1178 ///
1179 /// # Examples
1180 ///
1181 /// Basic usage:
1182 ///
1183 /// ```
1184 /// let mut s = String::new();
1185 ///
1186 /// s.reserve(10);
1187 ///
1188 /// assert!(s.capacity() >= 10);
1189 /// ```
1190 ///
1191 /// This might not actually increase the capacity:
1192 ///
1193 /// ```
1194 /// let mut s = String::with_capacity(10);
1195 /// s.push('a');
1196 /// s.push('b');
1197 ///
1198 /// // s now has a length of 2 and a capacity of at least 10
1199 /// let capacity = s.capacity();
1200 /// assert_eq!(2, s.len());
1201 /// assert!(capacity >= 10);
1202 ///
1203 /// // Since we already have at least an extra 8 capacity, calling this...
1204 /// s.reserve(8);
1205 ///
1206 /// // ... doesn't actually increase.
1207 /// assert_eq!(capacity, s.capacity());
1208 /// ```
1209 #[cfg(not(no_global_oom_handling))]
1210 #[inline]
1211 #[track_caller]
1212 #[stable(feature = "rust1", since = "1.0.0")]
1213 pub fn reserve(&mut self, additional: usize) {
1214 self.vec.reserve(additional)
1215 }
1216
1217 /// Reserves the minimum capacity for at least `additional` bytes more than
1218 /// the current length. Unlike [`reserve`], this will not
1219 /// deliberately over-allocate to speculatively avoid frequent allocations.
1220 /// After calling `reserve_exact`, capacity will be greater than or equal to
1221 /// `self.len() + additional`. Does nothing if the capacity is already
1222 /// sufficient.
1223 ///
1224 /// [`reserve`]: String::reserve
1225 ///
1226 /// # Panics
1227 ///
1228 /// Panics if the new capacity overflows [`usize`].
1229 ///
1230 /// # Examples
1231 ///
1232 /// Basic usage:
1233 ///
1234 /// ```
1235 /// let mut s = String::new();
1236 ///
1237 /// s.reserve_exact(10);
1238 ///
1239 /// assert!(s.capacity() >= 10);
1240 /// ```
1241 ///
1242 /// This might not actually increase the capacity:
1243 ///
1244 /// ```
1245 /// let mut s = String::with_capacity(10);
1246 /// s.push('a');
1247 /// s.push('b');
1248 ///
1249 /// // s now has a length of 2 and a capacity of at least 10
1250 /// let capacity = s.capacity();
1251 /// assert_eq!(2, s.len());
1252 /// assert!(capacity >= 10);
1253 ///
1254 /// // Since we already have at least an extra 8 capacity, calling this...
1255 /// s.reserve_exact(8);
1256 ///
1257 /// // ... doesn't actually increase.
1258 /// assert_eq!(capacity, s.capacity());
1259 /// ```
1260 #[cfg(not(no_global_oom_handling))]
1261 #[inline]
1262 #[stable(feature = "rust1", since = "1.0.0")]
1263 #[track_caller]
1264 pub fn reserve_exact(&mut self, additional: usize) {
1265 self.vec.reserve_exact(additional)
1266 }
1267
1268 /// Tries to reserve capacity for at least `additional` bytes more than the
1269 /// current length. The allocator may reserve more space to speculatively
1270 /// avoid frequent allocations. After calling `try_reserve`, capacity will be
1271 /// greater than or equal to `self.len() + additional` if it returns
1272 /// `Ok(())`. Does nothing if capacity is already sufficient. This method
1273 /// preserves the contents even if an error occurs.
1274 ///
1275 /// # Errors
1276 ///
1277 /// If the capacity overflows, or the allocator reports a failure, then an error
1278 /// is returned.
1279 ///
1280 /// # Examples
1281 ///
1282 /// ```
1283 /// use std::collections::TryReserveError;
1284 ///
1285 /// fn process_data(data: &str) -> Result<String, TryReserveError> {
1286 /// let mut output = String::new();
1287 ///
1288 /// // Pre-reserve the memory, exiting if we can't
1289 /// output.try_reserve(data.len())?;
1290 ///
1291 /// // Now we know this can't OOM in the middle of our complex work
1292 /// output.push_str(data);
1293 ///
1294 /// Ok(output)
1295 /// }
1296 /// # process_data("rust").expect("why is the test harness OOMing on 4 bytes?");
1297 /// ```
1298 #[stable(feature = "try_reserve", since = "1.57.0")]
1299 pub fn try_reserve(&mut self, additional: usize) -> Result<(), TryReserveError> {
1300 self.vec.try_reserve(additional)
1301 }
1302
1303 /// Tries to reserve the minimum capacity for at least `additional` bytes
1304 /// more than the current length. Unlike [`try_reserve`], this will not
1305 /// deliberately over-allocate to speculatively avoid frequent allocations.
1306 /// After calling `try_reserve_exact`, capacity will be greater than or
1307 /// equal to `self.len() + additional` if it returns `Ok(())`.
1308 /// Does nothing if the capacity is already sufficient.
1309 ///
1310 /// Note that the allocator may give the collection more space than it
1311 /// requests. Therefore, capacity can not be relied upon to be precisely
1312 /// minimal. Prefer [`try_reserve`] if future insertions are expected.
1313 ///
1314 /// [`try_reserve`]: String::try_reserve
1315 ///
1316 /// # Errors
1317 ///
1318 /// If the capacity overflows, or the allocator reports a failure, then an error
1319 /// is returned.
1320 ///
1321 /// # Examples
1322 ///
1323 /// ```
1324 /// use std::collections::TryReserveError;
1325 ///
1326 /// fn process_data(data: &str) -> Result<String, TryReserveError> {
1327 /// let mut output = String::new();
1328 ///
1329 /// // Pre-reserve the memory, exiting if we can't
1330 /// output.try_reserve_exact(data.len())?;
1331 ///
1332 /// // Now we know this can't OOM in the middle of our complex work
1333 /// output.push_str(data);
1334 ///
1335 /// Ok(output)
1336 /// }
1337 /// # process_data("rust").expect("why is the test harness OOMing on 4 bytes?");
1338 /// ```
1339 #[stable(feature = "try_reserve", since = "1.57.0")]
1340 pub fn try_reserve_exact(&mut self, additional: usize) -> Result<(), TryReserveError> {
1341 self.vec.try_reserve_exact(additional)
1342 }
1343
1344 /// Shrinks the capacity of this `String` to match its length.
1345 ///
1346 /// # Examples
1347 ///
1348 /// ```
1349 /// let mut s = String::from("foo");
1350 ///
1351 /// s.reserve(100);
1352 /// assert!(s.capacity() >= 100);
1353 ///
1354 /// s.shrink_to_fit();
1355 /// assert_eq!(3, s.capacity());
1356 /// ```
1357 #[cfg(not(no_global_oom_handling))]
1358 #[inline]
1359 #[track_caller]
1360 #[stable(feature = "rust1", since = "1.0.0")]
1361 pub fn shrink_to_fit(&mut self) {
1362 self.vec.shrink_to_fit()
1363 }
1364
1365 /// Shrinks the capacity of this `String` with a lower bound.
1366 ///
1367 /// The capacity will remain at least as large as both the length
1368 /// and the supplied value.
1369 ///
1370 /// If the current capacity is less than the lower limit, this is a no-op.
1371 ///
1372 /// # Examples
1373 ///
1374 /// ```
1375 /// let mut s = String::from("foo");
1376 ///
1377 /// s.reserve(100);
1378 /// assert!(s.capacity() >= 100);
1379 ///
1380 /// s.shrink_to(10);
1381 /// assert!(s.capacity() >= 10);
1382 /// s.shrink_to(0);
1383 /// assert!(s.capacity() >= 3);
1384 /// ```
1385 #[cfg(not(no_global_oom_handling))]
1386 #[inline]
1387 #[track_caller]
1388 #[stable(feature = "shrink_to", since = "1.56.0")]
1389 pub fn shrink_to(&mut self, min_capacity: usize) {
1390 self.vec.shrink_to(min_capacity)
1391 }
1392
1393 /// Appends the given [`char`] to the end of this `String`.
1394 ///
1395 /// # Examples
1396 ///
1397 /// ```
1398 /// let mut s = String::from("abc");
1399 ///
1400 /// s.push('1');
1401 /// s.push('2');
1402 /// s.push('3');
1403 ///
1404 /// assert_eq!("abc123", s);
1405 /// ```
1406 #[cfg(not(no_global_oom_handling))]
1407 #[inline]
1408 #[stable(feature = "rust1", since = "1.0.0")]
1409 #[track_caller]
1410 pub fn push(&mut self, ch: char) {
1411 let len = self.len();
1412 let ch_len = ch.len_utf8();
1413 self.reserve(ch_len);
1414
1415 // SAFETY: Just reserved capacity for at least the length needed to encode `ch`.
1416 unsafe {
1417 core::char::encode_utf8_raw_unchecked(ch as u32, self.vec.as_mut_ptr().add(self.len()));
1418 self.vec.set_len(len + ch_len);
1419 }
1420 }
1421
1422 /// Returns a byte slice of this `String`'s contents.
1423 ///
1424 /// The inverse of this method is [`from_utf8`].
1425 ///
1426 /// [`from_utf8`]: String::from_utf8
1427 ///
1428 /// # Examples
1429 ///
1430 /// ```
1431 /// let s = String::from("hello");
1432 ///
1433 /// assert_eq!(&[104, 101, 108, 108, 111], s.as_bytes());
1434 /// ```
1435 #[inline]
1436 #[must_use]
1437 #[stable(feature = "rust1", since = "1.0.0")]
1438 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1439 pub const fn as_bytes(&self) -> &[u8] {
1440 self.vec.as_slice()
1441 }
1442
1443 /// Shortens this `String` to the specified length.
1444 ///
1445 /// If `new_len` is greater than or equal to the string's current length, this has no
1446 /// effect.
1447 ///
1448 /// Note that this method has no effect on the allocated capacity
1449 /// of the string
1450 ///
1451 /// # Panics
1452 ///
1453 /// Panics if `new_len` does not lie on a [`char`] boundary.
1454 ///
1455 /// # Examples
1456 ///
1457 /// ```
1458 /// let mut s = String::from("hello");
1459 ///
1460 /// s.truncate(2);
1461 ///
1462 /// assert_eq!("he", s);
1463 /// ```
1464 #[inline]
1465 #[stable(feature = "rust1", since = "1.0.0")]
1466 #[track_caller]
1467 pub fn truncate(&mut self, new_len: usize) {
1468 if new_len <= self.len() {
1469 assert!(self.is_char_boundary(new_len));
1470 self.vec.truncate(new_len)
1471 }
1472 }
1473
1474 /// Removes the last character from the string buffer and returns it.
1475 ///
1476 /// Returns [`None`] if this `String` is empty.
1477 ///
1478 /// # Examples
1479 ///
1480 /// ```
1481 /// let mut s = String::from("abΔ");
1482 ///
1483 /// assert_eq!(s.pop(), Some('Δ'));
1484 /// assert_eq!(s.pop(), Some('b'));
1485 /// assert_eq!(s.pop(), Some('a'));
1486 ///
1487 /// assert_eq!(s.pop(), None);
1488 /// ```
1489 #[inline]
1490 #[stable(feature = "rust1", since = "1.0.0")]
1491 pub fn pop(&mut self) -> Option<char> {
1492 let ch = self.chars().rev().next()?;
1493 let newlen = self.len() - ch.len_utf8();
1494 unsafe {
1495 self.vec.set_len(newlen);
1496 }
1497 Some(ch)
1498 }
1499
1500 /// Removes a [`char`] from this `String` at byte position `idx` and returns it.
1501 ///
1502 /// Copies all bytes after the removed char to new positions.
1503 ///
1504 /// Note that calling this in a loop can result in quadratic behavior.
1505 ///
1506 /// # Panics
1507 ///
1508 /// Panics if `idx` is larger than or equal to the `String`'s length,
1509 /// or if it does not lie on a [`char`] boundary.
1510 ///
1511 /// # Examples
1512 ///
1513 /// ```
1514 /// let mut s = String::from("abΓ§");
1515 ///
1516 /// assert_eq!(s.remove(0), 'a');
1517 /// assert_eq!(s.remove(1), 'Γ§');
1518 /// assert_eq!(s.remove(0), 'b');
1519 /// ```
1520 #[inline]
1521 #[stable(feature = "rust1", since = "1.0.0")]
1522 #[track_caller]
1523 #[rustc_confusables("delete", "take")]
1524 pub fn remove(&mut self, idx: usize) -> char {
1525 let ch = match self[idx..].chars().next() {
1526 Some(ch) => ch,
1527 None => panic!("cannot remove a char from the end of a string"),
1528 };
1529
1530 let next = idx + ch.len_utf8();
1531 let len = self.len();
1532 unsafe {
1533 ptr::copy(self.vec.as_ptr().add(next), self.vec.as_mut_ptr().add(idx), len - next);
1534 self.vec.set_len(len - (next - idx));
1535 }
1536 ch
1537 }
1538
1539 /// Remove all matches of pattern `pat` in the `String`.
1540 ///
1541 /// # Examples
1542 ///
1543 /// ```
1544 /// #![feature(string_remove_matches)]
1545 /// let mut s = String::from("Trees are not green, the sky is not blue.");
1546 /// s.remove_matches("not ");
1547 /// assert_eq!("Trees are green, the sky is blue.", s);
1548 /// ```
1549 ///
1550 /// Matches will be detected and removed iteratively, so in cases where
1551 /// patterns overlap, only the first pattern will be removed:
1552 ///
1553 /// ```
1554 /// #![feature(string_remove_matches)]
1555 /// let mut s = String::from("banana");
1556 /// s.remove_matches("ana");
1557 /// assert_eq!("bna", s);
1558 /// ```
1559 #[cfg(not(no_global_oom_handling))]
1560 #[unstable(feature = "string_remove_matches", reason = "new API", issue = "72826")]
1561 pub fn remove_matches<P: Pattern>(&mut self, pat: P) {
1562 use core::str::pattern::Searcher;
1563
1564 let rejections = {
1565 let mut searcher = pat.into_searcher(self);
1566 // Per Searcher::next:
1567 //
1568 // A Match result needs to contain the whole matched pattern,
1569 // however Reject results may be split up into arbitrary many
1570 // adjacent fragments. Both ranges may have zero length.
1571 //
1572 // In practice the implementation of Searcher::next_match tends to
1573 // be more efficient, so we use it here and do some work to invert
1574 // matches into rejections since that's what we want to copy below.
1575 let mut front = 0;
1576 let rejections: Vec<_> = from_fn(|| {
1577 let (start, end) = searcher.next_match()?;
1578 let prev_front = front;
1579 front = end;
1580 Some((prev_front, start))
1581 })
1582 .collect();
1583 rejections.into_iter().chain(core::iter::once((front, self.len())))
1584 };
1585
1586 let mut len = 0;
1587 let ptr = self.vec.as_mut_ptr();
1588
1589 for (start, end) in rejections {
1590 let count = end - start;
1591 if start != len {
1592 // SAFETY: per Searcher::next:
1593 //
1594 // The stream of Match and Reject values up to a Done will
1595 // contain index ranges that are adjacent, non-overlapping,
1596 // covering the whole haystack, and laying on utf8
1597 // boundaries.
1598 unsafe {
1599 ptr::copy(ptr.add(start), ptr.add(len), count);
1600 }
1601 }
1602 len += count;
1603 }
1604
1605 unsafe {
1606 self.vec.set_len(len);
1607 }
1608 }
1609
1610 /// Retains only the characters specified by the predicate.
1611 ///
1612 /// In other words, remove all characters `c` such that `f(c)` returns `false`.
1613 /// This method operates in place, visiting each character exactly once in the
1614 /// original order, and preserves the order of the retained characters.
1615 ///
1616 /// # Examples
1617 ///
1618 /// ```
1619 /// let mut s = String::from("f_o_ob_ar");
1620 ///
1621 /// s.retain(|c| c != '_');
1622 ///
1623 /// assert_eq!(s, "foobar");
1624 /// ```
1625 ///
1626 /// Because the elements are visited exactly once in the original order,
1627 /// external state may be used to decide which elements to keep.
1628 ///
1629 /// ```
1630 /// let mut s = String::from("abcde");
1631 /// let keep = [false, true, true, false, true];
1632 /// let mut iter = keep.iter();
1633 /// s.retain(|_| *iter.next().unwrap());
1634 /// assert_eq!(s, "bce");
1635 /// ```
1636 #[inline]
1637 #[stable(feature = "string_retain", since = "1.26.0")]
1638 pub fn retain<F>(&mut self, mut f: F)
1639 where
1640 F: FnMut(char) -> bool,
1641 {
1642 struct SetLenOnDrop<'a> {
1643 s: &'a mut String,
1644 idx: usize,
1645 del_bytes: usize,
1646 }
1647
1648 impl<'a> Drop for SetLenOnDrop<'a> {
1649 fn drop(&mut self) {
1650 let new_len = self.idx - self.del_bytes;
1651 debug_assert!(new_len <= self.s.len());
1652 unsafe { self.s.vec.set_len(new_len) };
1653 }
1654 }
1655
1656 let len = self.len();
1657 let mut guard = SetLenOnDrop { s: self, idx: 0, del_bytes: 0 };
1658
1659 while guard.idx < len {
1660 let ch =
1661 // SAFETY: `guard.idx` is positive-or-zero and less that len so the `get_unchecked`
1662 // is in bound. `self` is valid UTF-8 like string and the returned slice starts at
1663 // a unicode code point so the `Chars` always return one character.
1664 unsafe { guard.s.get_unchecked(guard.idx..len).chars().next().unwrap_unchecked() };
1665 let ch_len = ch.len_utf8();
1666
1667 if !f(ch) {
1668 guard.del_bytes += ch_len;
1669 } else if guard.del_bytes > 0 {
1670 // SAFETY: `guard.idx` is in bound and `guard.del_bytes` represent the number of
1671 // bytes that are erased from the string so the resulting `guard.idx -
1672 // guard.del_bytes` always represent a valid unicode code point.
1673 //
1674 // `guard.del_bytes` >= `ch.len_utf8()`, so taking a slice with `ch.len_utf8()` len
1675 // is safe.
1676 ch.encode_utf8(unsafe {
1677 crate::slice::from_raw_parts_mut(
1678 guard.s.as_mut_ptr().add(guard.idx - guard.del_bytes),
1679 ch.len_utf8(),
1680 )
1681 });
1682 }
1683
1684 // Point idx to the next char
1685 guard.idx += ch_len;
1686 }
1687
1688 drop(guard);
1689 }
1690
1691 /// Inserts a character into this `String` at byte position `idx`.
1692 ///
1693 /// Reallocates if `self.capacity()` is insufficient, which may involve copying all
1694 /// `self.capacity()` bytes. Makes space for the insertion by copying all bytes of
1695 /// `&self[idx..]` to new positions.
1696 ///
1697 /// Note that calling this in a loop can result in quadratic behavior.
1698 ///
1699 /// # Panics
1700 ///
1701 /// Panics if `idx` is larger than the `String`'s length, or if it does not
1702 /// lie on a [`char`] boundary.
1703 ///
1704 /// # Examples
1705 ///
1706 /// ```
1707 /// let mut s = String::with_capacity(3);
1708 ///
1709 /// s.insert(0, 'f');
1710 /// s.insert(1, 'o');
1711 /// s.insert(2, 'o');
1712 ///
1713 /// assert_eq!("foo", s);
1714 /// ```
1715 #[cfg(not(no_global_oom_handling))]
1716 #[inline]
1717 #[track_caller]
1718 #[stable(feature = "rust1", since = "1.0.0")]
1719 #[rustc_confusables("set")]
1720 pub fn insert(&mut self, idx: usize, ch: char) {
1721 assert!(self.is_char_boundary(idx));
1722
1723 let len = self.len();
1724 let ch_len = ch.len_utf8();
1725 self.reserve(ch_len);
1726
1727 // SAFETY: Move the bytes starting from `idx` to their new location `ch_len`
1728 // bytes ahead. This is safe because sufficient capacity was reserved, and `idx`
1729 // is a char boundary.
1730 unsafe {
1731 ptr::copy(
1732 self.vec.as_ptr().add(idx),
1733 self.vec.as_mut_ptr().add(idx + ch_len),
1734 len - idx,
1735 );
1736 }
1737
1738 // SAFETY: Encode the character into the vacated region if `idx != len`,
1739 // or into the uninitialized spare capacity otherwise.
1740 unsafe {
1741 core::char::encode_utf8_raw_unchecked(ch as u32, self.vec.as_mut_ptr().add(idx));
1742 }
1743
1744 // SAFETY: Update the length to include the newly added bytes.
1745 unsafe {
1746 self.vec.set_len(len + ch_len);
1747 }
1748 }
1749
1750 /// Inserts a string slice into this `String` at byte position `idx`.
1751 ///
1752 /// Reallocates if `self.capacity()` is insufficient, which may involve copying all
1753 /// `self.capacity()` bytes. Makes space for the insertion by copying all bytes of
1754 /// `&self[idx..]` to new positions.
1755 ///
1756 /// Note that calling this in a loop can result in quadratic behavior.
1757 ///
1758 /// # Panics
1759 ///
1760 /// Panics if `idx` is larger than the `String`'s length, or if it does not
1761 /// lie on a [`char`] boundary.
1762 ///
1763 /// # Examples
1764 ///
1765 /// ```
1766 /// let mut s = String::from("bar");
1767 ///
1768 /// s.insert_str(0, "foo");
1769 ///
1770 /// assert_eq!("foobar", s);
1771 /// ```
1772 #[cfg(not(no_global_oom_handling))]
1773 #[inline]
1774 #[track_caller]
1775 #[stable(feature = "insert_str", since = "1.16.0")]
1776 #[rustc_diagnostic_item = "string_insert_str"]
1777 pub fn insert_str(&mut self, idx: usize, string: &str) {
1778 assert!(self.is_char_boundary(idx));
1779
1780 let len = self.len();
1781 let amt = string.len();
1782 self.reserve(amt);
1783
1784 // SAFETY: Move the bytes starting from `idx` to their new location `amt` bytes
1785 // ahead. This is safe because sufficient capacity was just reserved, and `idx`
1786 // is a char boundary.
1787 unsafe {
1788 ptr::copy(self.vec.as_ptr().add(idx), self.vec.as_mut_ptr().add(idx + amt), len - idx);
1789 }
1790
1791 // SAFETY: Copy the new string slice into the vacated region if `idx != len`,
1792 // or into the uninitialized spare capacity otherwise. The borrow checker
1793 // ensures that the source and destination do not overlap.
1794 unsafe {
1795 ptr::copy_nonoverlapping(string.as_ptr(), self.vec.as_mut_ptr().add(idx), amt);
1796 }
1797
1798 // SAFETY: Update the length to include the newly added bytes.
1799 unsafe {
1800 self.vec.set_len(len + amt);
1801 }
1802 }
1803
1804 /// Returns a mutable reference to the contents of this `String`.
1805 ///
1806 /// # Safety
1807 ///
1808 /// This function is unsafe because the returned `&mut Vec` allows writing
1809 /// bytes which are not valid UTF-8. If this constraint is violated, using
1810 /// the original `String` after dropping the `&mut Vec` may violate memory
1811 /// safety, as the rest of the standard library assumes that `String`s are
1812 /// valid UTF-8.
1813 ///
1814 /// # Examples
1815 ///
1816 /// ```
1817 /// let mut s = String::from("hello");
1818 ///
1819 /// unsafe {
1820 /// let vec = s.as_mut_vec();
1821 /// assert_eq!(&[104, 101, 108, 108, 111][..], &vec[..]);
1822 ///
1823 /// vec.reverse();
1824 /// }
1825 /// assert_eq!(s, "olleh");
1826 /// ```
1827 #[inline]
1828 #[stable(feature = "rust1", since = "1.0.0")]
1829 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1830 pub const unsafe fn as_mut_vec(&mut self) -> &mut Vec<u8> {
1831 &mut self.vec
1832 }
1833
1834 /// Returns the length of this `String`, in bytes, not [`char`]s or
1835 /// graphemes. In other words, it might not be what a human considers the
1836 /// length of the string.
1837 ///
1838 /// # Examples
1839 ///
1840 /// ```
1841 /// let a = String::from("foo");
1842 /// assert_eq!(a.len(), 3);
1843 ///
1844 /// let fancy_f = String::from("Ζoo");
1845 /// assert_eq!(fancy_f.len(), 4);
1846 /// assert_eq!(fancy_f.chars().count(), 3);
1847 /// ```
1848 #[inline]
1849 #[must_use]
1850 #[stable(feature = "rust1", since = "1.0.0")]
1851 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1852 #[rustc_confusables("length", "size")]
1853 #[rustc_no_implicit_autorefs]
1854 pub const fn len(&self) -> usize {
1855 self.vec.len()
1856 }
1857
1858 /// Returns `true` if this `String` has a length of zero, and `false` otherwise.
1859 ///
1860 /// # Examples
1861 ///
1862 /// ```
1863 /// let mut v = String::new();
1864 /// assert!(v.is_empty());
1865 ///
1866 /// v.push('a');
1867 /// assert!(!v.is_empty());
1868 /// ```
1869 #[inline]
1870 #[must_use]
1871 #[stable(feature = "rust1", since = "1.0.0")]
1872 #[rustc_const_stable(feature = "const_vec_string_slice", since = "1.87.0")]
1873 #[rustc_no_implicit_autorefs]
1874 pub const fn is_empty(&self) -> bool {
1875 self.len() == 0
1876 }
1877
1878 /// Splits the string into two at the given byte index.
1879 ///
1880 /// Returns a newly allocated `String`. `self` contains bytes `[0, at)`, and
1881 /// the returned `String` contains bytes `[at, len)`. `at` must be on the
1882 /// boundary of a UTF-8 code point.
1883 ///
1884 /// Note that the capacity of `self` does not change.
1885 ///
1886 /// # Panics
1887 ///
1888 /// Panics if `at` is not on a `UTF-8` code point boundary, or if it is beyond the last
1889 /// code point of the string.
1890 ///
1891 /// # Examples
1892 ///
1893 /// ```
1894 /// # fn main() {
1895 /// let mut hello = String::from("Hello, World!");
1896 /// let world = hello.split_off(7);
1897 /// assert_eq!(hello, "Hello, ");
1898 /// assert_eq!(world, "World!");
1899 /// # }
1900 /// ```
1901 #[cfg(not(no_global_oom_handling))]
1902 #[inline]
1903 #[track_caller]
1904 #[stable(feature = "string_split_off", since = "1.16.0")]
1905 #[must_use = "use `.truncate()` if you don't need the other half"]
1906 pub fn split_off(&mut self, at: usize) -> String {
1907 assert!(self.is_char_boundary(at));
1908 let other = self.vec.split_off(at);
1909 unsafe { String::from_utf8_unchecked(other) }
1910 }
1911
1912 /// Truncates this `String`, removing all contents.
1913 ///
1914 /// While this means the `String` will have a length of zero, it does not
1915 /// touch its capacity.
1916 ///
1917 /// # Examples
1918 ///
1919 /// ```
1920 /// let mut s = String::from("foo");
1921 ///
1922 /// s.clear();
1923 ///
1924 /// assert!(s.is_empty());
1925 /// assert_eq!(0, s.len());
1926 /// assert_eq!(3, s.capacity());
1927 /// ```
1928 #[inline]
1929 #[stable(feature = "rust1", since = "1.0.0")]
1930 pub fn clear(&mut self) {
1931 self.vec.clear()
1932 }
1933
1934 /// Removes the specified range from the string in bulk, returning all
1935 /// removed characters as an iterator.
1936 ///
1937 /// The returned iterator keeps a mutable borrow on the string to optimize
1938 /// its implementation.
1939 ///
1940 /// # Panics
1941 ///
1942 /// Panics if the starting point or end point do not lie on a [`char`]
1943 /// boundary, or if they're out of bounds.
1944 ///
1945 /// # Leaking
1946 ///
1947 /// If the returned iterator goes out of scope without being dropped (due to
1948 /// [`core::mem::forget`], for example), the string may still contain a copy
1949 /// of any drained characters, or may have lost characters arbitrarily,
1950 /// including characters outside the range.
1951 ///
1952 /// # Examples
1953 ///
1954 /// ```
1955 /// let mut s = String::from("Ξ± is alpha, Ξ² is beta");
1956 /// let beta_offset = s.find('Ξ²').unwrap_or(s.len());
1957 ///
1958 /// // Remove the range up until the Ξ² from the string
1959 /// let t: String = s.drain(..beta_offset).collect();
1960 /// assert_eq!(t, "Ξ± is alpha, ");
1961 /// assert_eq!(s, "Ξ² is beta");
1962 ///
1963 /// // A full range clears the string, like `clear()` does
1964 /// s.drain(..);
1965 /// assert_eq!(s, "");
1966 /// ```
1967 #[stable(feature = "drain", since = "1.6.0")]
1968 #[track_caller]
1969 pub fn drain<R>(&mut self, range: R) -> Drain<'_>
1970 where
1971 R: RangeBounds<usize>,
1972 {
1973 // Memory safety
1974 //
1975 // The String version of Drain does not have the memory safety issues
1976 // of the vector version. The data is just plain bytes.
1977 // Because the range removal happens in Drop, if the Drain iterator is leaked,
1978 // the removal will not happen.
1979 let Range { start, end } = slice::range(range, ..self.len());
1980 assert!(self.is_char_boundary(start));
1981 assert!(self.is_char_boundary(end));
1982
1983 // Take out two simultaneous borrows. The &mut String won't be accessed
1984 // until iteration is over, in Drop.
1985 let self_ptr = self as *mut _;
1986 // SAFETY: `slice::range` and `is_char_boundary` do the appropriate bounds checks.
1987 let chars_iter = unsafe { self.get_unchecked(start..end) }.chars();
1988
1989 Drain { start, end, iter: chars_iter, string: self_ptr }
1990 }
1991
1992 /// Converts a `String` into an iterator over the [`char`]s of the string.
1993 ///
1994 /// As a string consists of valid UTF-8, we can iterate through a string
1995 /// by [`char`]. This method returns such an iterator.
1996 ///
1997 /// It's important to remember that [`char`] represents a Unicode Scalar
1998 /// Value, and might not match your idea of what a 'character' is. Iteration
1999 /// over grapheme clusters may be what you actually want. That functionality
2000 /// is not provided by Rust's standard library, check crates.io instead.
2001 ///
2002 /// # Examples
2003 ///
2004 /// Basic usage:
2005 ///
2006 /// ```
2007 /// #![feature(string_into_chars)]
2008 ///
2009 /// let word = String::from("goodbye");
2010 ///
2011 /// let mut chars = word.into_chars();
2012 ///
2013 /// assert_eq!(Some('g'), chars.next());
2014 /// assert_eq!(Some('o'), chars.next());
2015 /// assert_eq!(Some('o'), chars.next());
2016 /// assert_eq!(Some('d'), chars.next());
2017 /// assert_eq!(Some('b'), chars.next());
2018 /// assert_eq!(Some('y'), chars.next());
2019 /// assert_eq!(Some('e'), chars.next());
2020 ///
2021 /// assert_eq!(None, chars.next());
2022 /// ```
2023 ///
2024 /// Remember, [`char`]s might not match your intuition about characters:
2025 ///
2026 /// ```
2027 /// #![feature(string_into_chars)]
2028 ///
2029 /// let y = String::from("yΜ");
2030 ///
2031 /// let mut chars = y.into_chars();
2032 ///
2033 /// assert_eq!(Some('y'), chars.next()); // not 'yΜ'
2034 /// assert_eq!(Some('\u{0306}'), chars.next());
2035 ///
2036 /// assert_eq!(None, chars.next());
2037 /// ```
2038 ///
2039 /// [`char`]: prim@char
2040 #[inline]
2041 #[must_use = "`self` will be dropped if the result is not used"]
2042 #[unstable(feature = "string_into_chars", issue = "133125")]
2043 pub fn into_chars(self) -> IntoChars {
2044 IntoChars { bytes: self.into_bytes().into_iter() }
2045 }
2046
2047 /// Removes the specified range in the string,
2048 /// and replaces it with the given string.
2049 /// The given string doesn't need to be the same length as the range.
2050 ///
2051 /// # Panics
2052 ///
2053 /// Panics if the starting point or end point do not lie on a [`char`]
2054 /// boundary, or if they're out of bounds.
2055 ///
2056 /// # Examples
2057 ///
2058 /// ```
2059 /// let mut s = String::from("Ξ± is alpha, Ξ² is beta");
2060 /// let beta_offset = s.find('Ξ²').unwrap_or(s.len());
2061 ///
2062 /// // Replace the range up until the Ξ² from the string
2063 /// s.replace_range(..beta_offset, "Ξ is capital alpha; ");
2064 /// assert_eq!(s, "Ξ is capital alpha; Ξ² is beta");
2065 /// ```
2066 #[cfg(not(no_global_oom_handling))]
2067 #[stable(feature = "splice", since = "1.27.0")]
2068 #[track_caller]
2069 pub fn replace_range<R>(&mut self, range: R, replace_with: &str)
2070 where
2071 R: RangeBounds<usize>,
2072 {
2073 // Memory safety
2074 //
2075 // Replace_range does not have the memory safety issues of a vector Splice.
2076 // of the vector version. The data is just plain bytes.
2077
2078 // WARNING: Inlining this variable would be unsound (#81138)
2079 let start = range.start_bound();
2080 match start {
2081 Included(&n) => assert!(self.is_char_boundary(n)),
2082 Excluded(&n) => assert!(self.is_char_boundary(n + 1)),
2083 Unbounded => {}
2084 };
2085 // WARNING: Inlining this variable would be unsound (#81138)
2086 let end = range.end_bound();
2087 match end {
2088 Included(&n) => assert!(self.is_char_boundary(n + 1)),
2089 Excluded(&n) => assert!(self.is_char_boundary(n)),
2090 Unbounded => {}
2091 };
2092
2093 // Using `range` again would be unsound (#81138)
2094 // We assume the bounds reported by `range` remain the same, but
2095 // an adversarial implementation could change between calls
2096 unsafe { self.as_mut_vec() }.splice((start, end), replace_with.bytes());
2097 }
2098
2099 /// Converts this `String` into a <code>[Box]<[str]></code>.
2100 ///
2101 /// Before doing the conversion, this method discards excess capacity like [`shrink_to_fit`].
2102 /// Note that this call may reallocate and copy the bytes of the string.
2103 ///
2104 /// [`shrink_to_fit`]: String::shrink_to_fit
2105 /// [str]: prim@str "str"
2106 ///
2107 /// # Examples
2108 ///
2109 /// ```
2110 /// let s = String::from("hello");
2111 ///
2112 /// let b = s.into_boxed_str();
2113 /// ```
2114 #[cfg(not(no_global_oom_handling))]
2115 #[stable(feature = "box_str", since = "1.4.0")]
2116 #[must_use = "`self` will be dropped if the result is not used"]
2117 #[inline]
2118 #[track_caller]
2119 pub fn into_boxed_str(self) -> Box<str> {
2120 let slice = self.vec.into_boxed_slice();
2121 unsafe { from_boxed_utf8_unchecked(slice) }
2122 }
2123
2124 /// Consumes and leaks the `String`, returning a mutable reference to the contents,
2125 /// `&'a mut str`.
2126 ///
2127 /// The caller has free choice over the returned lifetime, including `'static`. Indeed,
2128 /// this function is ideally used for data that lives for the remainder of the program's life,
2129 /// as dropping the returned reference will cause a memory leak.
2130 ///
2131 /// It does not reallocate or shrink the `String`, so the leaked allocation may include unused
2132 /// capacity that is not part of the returned slice. If you want to discard excess capacity,
2133 /// call [`into_boxed_str`], and then [`Box::leak`] instead. However, keep in mind that
2134 /// trimming the capacity may result in a reallocation and copy.
2135 ///
2136 /// [`into_boxed_str`]: Self::into_boxed_str
2137 ///
2138 /// # Examples
2139 ///
2140 /// ```
2141 /// let x = String::from("bucket");
2142 /// let static_ref: &'static mut str = x.leak();
2143 /// assert_eq!(static_ref, "bucket");
2144 /// # // FIXME(https://github.com/rust-lang/miri/issues/3670):
2145 /// # // use -Zmiri-disable-leak-check instead of unleaking in tests meant to leak.
2146 /// # drop(unsafe { Box::from_raw(static_ref) });
2147 /// ```
2148 #[stable(feature = "string_leak", since = "1.72.0")]
2149 #[inline]
2150 pub fn leak<'a>(self) -> &'a mut str {
2151 let slice = self.vec.leak();
2152 unsafe { from_utf8_unchecked_mut(slice) }
2153 }
2154}
2155
2156impl FromUtf8Error {
2157 /// Returns a slice of [`u8`]s bytes that were attempted to convert to a `String`.
2158 ///
2159 /// # Examples
2160 ///
2161 /// ```
2162 /// // some invalid bytes, in a vector
2163 /// let bytes = vec![0, 159];
2164 ///
2165 /// let value = String::from_utf8(bytes);
2166 ///
2167 /// assert_eq!(&[0, 159], value.unwrap_err().as_bytes());
2168 /// ```
2169 #[must_use]
2170 #[stable(feature = "from_utf8_error_as_bytes", since = "1.26.0")]
2171 pub fn as_bytes(&self) -> &[u8] {
2172 &self.bytes[..]
2173 }
2174
2175 /// Converts the bytes into a `String` lossily, substituting invalid UTF-8
2176 /// sequences with replacement characters.
2177 ///
2178 /// See [`String::from_utf8_lossy`] for more details on replacement of
2179 /// invalid sequences, and [`String::from_utf8_lossy_owned`] for the
2180 /// `String` function which corresponds to this function.
2181 ///
2182 /// # Examples
2183 ///
2184 /// ```
2185 /// #![feature(string_from_utf8_lossy_owned)]
2186 /// // some invalid bytes
2187 /// let input: Vec<u8> = b"Hello \xF0\x90\x80World".into();
2188 /// let output = String::from_utf8(input).unwrap_or_else(|e| e.into_utf8_lossy());
2189 ///
2190 /// assert_eq!(String::from("Hello οΏ½World"), output);
2191 /// ```
2192 #[must_use]
2193 #[cfg(not(no_global_oom_handling))]
2194 #[unstable(feature = "string_from_utf8_lossy_owned", issue = "129436")]
2195 pub fn into_utf8_lossy(self) -> String {
2196 const REPLACEMENT: &str = "\u{FFFD}";
2197
2198 let mut res = {
2199 let mut v = Vec::with_capacity(self.bytes.len());
2200
2201 // `Utf8Error::valid_up_to` returns the maximum index of validated
2202 // UTF-8 bytes. Copy the valid bytes into the output buffer.
2203 v.extend_from_slice(&self.bytes[..self.error.valid_up_to()]);
2204
2205 // SAFETY: This is safe because the only bytes present in the buffer
2206 // were validated as UTF-8 by the call to `String::from_utf8` which
2207 // produced this `FromUtf8Error`.
2208 unsafe { String::from_utf8_unchecked(v) }
2209 };
2210
2211 let iter = self.bytes[self.error.valid_up_to()..].utf8_chunks();
2212
2213 for chunk in iter {
2214 res.push_str(chunk.valid());
2215 if !chunk.invalid().is_empty() {
2216 res.push_str(REPLACEMENT);
2217 }
2218 }
2219
2220 res
2221 }
2222
2223 /// Returns the bytes that were attempted to convert to a `String`.
2224 ///
2225 /// This method is carefully constructed to avoid allocation. It will
2226 /// consume the error, moving out the bytes, so that a copy of the bytes
2227 /// does not need to be made.
2228 ///
2229 /// # Examples
2230 ///
2231 /// ```
2232 /// // some invalid bytes, in a vector
2233 /// let bytes = vec![0, 159];
2234 ///
2235 /// let value = String::from_utf8(bytes);
2236 ///
2237 /// assert_eq!(vec![0, 159], value.unwrap_err().into_bytes());
2238 /// ```
2239 #[must_use = "`self` will be dropped if the result is not used"]
2240 #[stable(feature = "rust1", since = "1.0.0")]
2241 pub fn into_bytes(self) -> Vec<u8> {
2242 self.bytes
2243 }
2244
2245 /// Fetch a `Utf8Error` to get more details about the conversion failure.
2246 ///
2247 /// The [`Utf8Error`] type provided by [`std::str`] represents an error that may
2248 /// occur when converting a slice of [`u8`]s to a [`&str`]. In this sense, it's
2249 /// an analogue to `FromUtf8Error`. See its documentation for more details
2250 /// on using it.
2251 ///
2252 /// [`std::str`]: core::str "std::str"
2253 /// [`&str`]: prim@str "&str"
2254 ///
2255 /// # Examples
2256 ///
2257 /// ```
2258 /// // some invalid bytes, in a vector
2259 /// let bytes = vec![0, 159];
2260 ///
2261 /// let error = String::from_utf8(bytes).unwrap_err().utf8_error();
2262 ///
2263 /// // the first byte is invalid here
2264 /// assert_eq!(1, error.valid_up_to());
2265 /// ```
2266 #[must_use]
2267 #[stable(feature = "rust1", since = "1.0.0")]
2268 pub fn utf8_error(&self) -> Utf8Error {
2269 self.error
2270 }
2271}
2272
2273#[stable(feature = "rust1", since = "1.0.0")]
2274impl fmt::Display for FromUtf8Error {
2275 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2276 fmt::Display::fmt(&self.error, f)
2277 }
2278}
2279
2280#[stable(feature = "rust1", since = "1.0.0")]
2281impl fmt::Display for FromUtf16Error {
2282 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2283 fmt::Display::fmt("invalid utf-16: lone surrogate found", f)
2284 }
2285}
2286
2287#[stable(feature = "rust1", since = "1.0.0")]
2288impl Error for FromUtf8Error {}
2289
2290#[stable(feature = "rust1", since = "1.0.0")]
2291impl Error for FromUtf16Error {}
2292
2293#[cfg(not(no_global_oom_handling))]
2294#[stable(feature = "rust1", since = "1.0.0")]
2295impl Clone for String {
2296 #[track_caller]
2297 fn clone(&self) -> Self {
2298 String { vec: self.vec.clone() }
2299 }
2300
2301 /// Clones the contents of `source` into `self`.
2302 ///
2303 /// This method is preferred over simply assigning `source.clone()` to `self`,
2304 /// as it avoids reallocation if possible.
2305 #[track_caller]
2306 fn clone_from(&mut self, source: &Self) {
2307 self.vec.clone_from(&source.vec);
2308 }
2309}
2310
2311#[cfg(not(no_global_oom_handling))]
2312#[stable(feature = "rust1", since = "1.0.0")]
2313impl FromIterator<char> for String {
2314 fn from_iter<I: IntoIterator<Item = char>>(iter: I) -> String {
2315 let mut buf = String::new();
2316 buf.extend(iter);
2317 buf
2318 }
2319}
2320
2321#[cfg(not(no_global_oom_handling))]
2322#[stable(feature = "string_from_iter_by_ref", since = "1.17.0")]
2323impl<'a> FromIterator<&'a char> for String {
2324 fn from_iter<I: IntoIterator<Item = &'a char>>(iter: I) -> String {
2325 let mut buf = String::new();
2326 buf.extend(iter);
2327 buf
2328 }
2329}
2330
2331#[cfg(not(no_global_oom_handling))]
2332#[stable(feature = "rust1", since = "1.0.0")]
2333impl<'a> FromIterator<&'a str> for String {
2334 fn from_iter<I: IntoIterator<Item = &'a str>>(iter: I) -> String {
2335 let mut buf = String::new();
2336 buf.extend(iter);
2337 buf
2338 }
2339}
2340
2341#[cfg(not(no_global_oom_handling))]
2342#[stable(feature = "extend_string", since = "1.4.0")]
2343impl FromIterator<String> for String {
2344 fn from_iter<I: IntoIterator<Item = String>>(iter: I) -> String {
2345 let mut iterator = iter.into_iter();
2346
2347 // Because we're iterating over `String`s, we can avoid at least
2348 // one allocation by getting the first string from the iterator
2349 // and appending to it all the subsequent strings.
2350 match iterator.next() {
2351 None => String::new(),
2352 Some(mut buf) => {
2353 buf.extend(iterator);
2354 buf
2355 }
2356 }
2357 }
2358}
2359
2360#[cfg(not(no_global_oom_handling))]
2361#[stable(feature = "box_str2", since = "1.45.0")]
2362impl<A: Allocator> FromIterator<Box<str, A>> for String {
2363 fn from_iter<I: IntoIterator<Item = Box<str, A>>>(iter: I) -> String {
2364 let mut buf = String::new();
2365 buf.extend(iter);
2366 buf
2367 }
2368}
2369
2370#[cfg(not(no_global_oom_handling))]
2371#[stable(feature = "herd_cows", since = "1.19.0")]
2372impl<'a> FromIterator<Cow<'a, str>> for String {
2373 fn from_iter<I: IntoIterator<Item = Cow<'a, str>>>(iter: I) -> String {
2374 let mut iterator = iter.into_iter();
2375
2376 // Because we're iterating over CoWs, we can (potentially) avoid at least
2377 // one allocation by getting the first item and appending to it all the
2378 // subsequent items.
2379 match iterator.next() {
2380 None => String::new(),
2381 Some(cow) => {
2382 let mut buf = cow.into_owned();
2383 buf.extend(iterator);
2384 buf
2385 }
2386 }
2387 }
2388}
2389
2390#[cfg(not(no_global_oom_handling))]
2391#[stable(feature = "rust1", since = "1.0.0")]
2392impl Extend<char> for String {
2393 fn extend<I: IntoIterator<Item = char>>(&mut self, iter: I) {
2394 let iterator = iter.into_iter();
2395 let (lower_bound, _) = iterator.size_hint();
2396 self.reserve(lower_bound);
2397 iterator.for_each(move |c| self.push(c));
2398 }
2399
2400 #[inline]
2401 fn extend_one(&mut self, c: char) {
2402 self.push(c);
2403 }
2404
2405 #[inline]
2406 fn extend_reserve(&mut self, additional: usize) {
2407 self.reserve(additional);
2408 }
2409}
2410
2411#[cfg(not(no_global_oom_handling))]
2412#[stable(feature = "extend_ref", since = "1.2.0")]
2413impl<'a> Extend<&'a char> for String {
2414 fn extend<I: IntoIterator<Item = &'a char>>(&mut self, iter: I) {
2415 self.extend(iter.into_iter().cloned());
2416 }
2417
2418 #[inline]
2419 fn extend_one(&mut self, &c: &'a char) {
2420 self.push(c);
2421 }
2422
2423 #[inline]
2424 fn extend_reserve(&mut self, additional: usize) {
2425 self.reserve(additional);
2426 }
2427}
2428
2429#[cfg(not(no_global_oom_handling))]
2430#[stable(feature = "rust1", since = "1.0.0")]
2431impl<'a> Extend<&'a str> for String {
2432 fn extend<I: IntoIterator<Item = &'a str>>(&mut self, iter: I) {
2433 iter.into_iter().for_each(move |s| self.push_str(s));
2434 }
2435
2436 #[inline]
2437 fn extend_one(&mut self, s: &'a str) {
2438 self.push_str(s);
2439 }
2440}
2441
2442#[cfg(not(no_global_oom_handling))]
2443#[stable(feature = "box_str2", since = "1.45.0")]
2444impl<A: Allocator> Extend<Box<str, A>> for String {
2445 fn extend<I: IntoIterator<Item = Box<str, A>>>(&mut self, iter: I) {
2446 iter.into_iter().for_each(move |s| self.push_str(&s));
2447 }
2448}
2449
2450#[cfg(not(no_global_oom_handling))]
2451#[stable(feature = "extend_string", since = "1.4.0")]
2452impl Extend<String> for String {
2453 fn extend<I: IntoIterator<Item = String>>(&mut self, iter: I) {
2454 iter.into_iter().for_each(move |s| self.push_str(&s));
2455 }
2456
2457 #[inline]
2458 fn extend_one(&mut self, s: String) {
2459 self.push_str(&s);
2460 }
2461}
2462
2463#[cfg(not(no_global_oom_handling))]
2464#[stable(feature = "herd_cows", since = "1.19.0")]
2465impl<'a> Extend<Cow<'a, str>> for String {
2466 fn extend<I: IntoIterator<Item = Cow<'a, str>>>(&mut self, iter: I) {
2467 iter.into_iter().for_each(move |s| self.push_str(&s));
2468 }
2469
2470 #[inline]
2471 fn extend_one(&mut self, s: Cow<'a, str>) {
2472 self.push_str(&s);
2473 }
2474}
2475
2476#[cfg(not(no_global_oom_handling))]
2477#[unstable(feature = "ascii_char", issue = "110998")]
2478impl Extend<core::ascii::Char> for String {
2479 #[inline]
2480 #[track_caller]
2481 fn extend<I: IntoIterator<Item = core::ascii::Char>>(&mut self, iter: I) {
2482 self.vec.extend(iter.into_iter().map(|c| c.to_u8()));
2483 }
2484
2485 #[inline]
2486 #[track_caller]
2487 fn extend_one(&mut self, c: core::ascii::Char) {
2488 self.vec.push(c.to_u8());
2489 }
2490}
2491
2492#[cfg(not(no_global_oom_handling))]
2493#[unstable(feature = "ascii_char", issue = "110998")]
2494impl<'a> Extend<&'a core::ascii::Char> for String {
2495 #[inline]
2496 #[track_caller]
2497 fn extend<I: IntoIterator<Item = &'a core::ascii::Char>>(&mut self, iter: I) {
2498 self.extend(iter.into_iter().cloned());
2499 }
2500
2501 #[inline]
2502 #[track_caller]
2503 fn extend_one(&mut self, c: &'a core::ascii::Char) {
2504 self.vec.push(c.to_u8());
2505 }
2506}
2507
2508/// A convenience impl that delegates to the impl for `&str`.
2509///
2510/// # Examples
2511///
2512/// ```
2513/// assert_eq!(String::from("Hello world").find("world"), Some(6));
2514/// ```
2515#[unstable(
2516 feature = "pattern",
2517 reason = "API not fully fleshed out and ready to be stabilized",
2518 issue = "27721"
2519)]
2520impl<'b> Pattern for &'b String {
2521 type Searcher<'a> = <&'b str as Pattern>::Searcher<'a>;
2522
2523 fn into_searcher(self, haystack: &str) -> <&'b str as Pattern>::Searcher<'_> {
2524 self[..].into_searcher(haystack)
2525 }
2526
2527 #[inline]
2528 fn is_contained_in(self, haystack: &str) -> bool {
2529 self[..].is_contained_in(haystack)
2530 }
2531
2532 #[inline]
2533 fn is_prefix_of(self, haystack: &str) -> bool {
2534 self[..].is_prefix_of(haystack)
2535 }
2536
2537 #[inline]
2538 fn strip_prefix_of(self, haystack: &str) -> Option<&str> {
2539 self[..].strip_prefix_of(haystack)
2540 }
2541
2542 #[inline]
2543 fn is_suffix_of<'a>(self, haystack: &'a str) -> bool
2544 where
2545 Self::Searcher<'a>: core::str::pattern::ReverseSearcher<'a>,
2546 {
2547 self[..].is_suffix_of(haystack)
2548 }
2549
2550 #[inline]
2551 fn strip_suffix_of<'a>(self, haystack: &'a str) -> Option<&'a str>
2552 where
2553 Self::Searcher<'a>: core::str::pattern::ReverseSearcher<'a>,
2554 {
2555 self[..].strip_suffix_of(haystack)
2556 }
2557
2558 #[inline]
2559 fn as_utf8_pattern(&self) -> Option<Utf8Pattern<'_>> {
2560 Some(Utf8Pattern::StringPattern(self.as_bytes()))
2561 }
2562}
2563
2564macro_rules! impl_eq {
2565 ($lhs:ty, $rhs: ty) => {
2566 #[stable(feature = "rust1", since = "1.0.0")]
2567 #[allow(unused_lifetimes)]
2568 impl<'a, 'b> PartialEq<$rhs> for $lhs {
2569 #[inline]
2570 fn eq(&self, other: &$rhs) -> bool {
2571 PartialEq::eq(&self[..], &other[..])
2572 }
2573 #[inline]
2574 fn ne(&self, other: &$rhs) -> bool {
2575 PartialEq::ne(&self[..], &other[..])
2576 }
2577 }
2578
2579 #[stable(feature = "rust1", since = "1.0.0")]
2580 #[allow(unused_lifetimes)]
2581 impl<'a, 'b> PartialEq<$lhs> for $rhs {
2582 #[inline]
2583 fn eq(&self, other: &$lhs) -> bool {
2584 PartialEq::eq(&self[..], &other[..])
2585 }
2586 #[inline]
2587 fn ne(&self, other: &$lhs) -> bool {
2588 PartialEq::ne(&self[..], &other[..])
2589 }
2590 }
2591 };
2592}
2593
2594impl_eq! { String, str }
2595impl_eq! { String, &'a str }
2596#[cfg(not(no_global_oom_handling))]
2597impl_eq! { Cow<'a, str>, str }
2598#[cfg(not(no_global_oom_handling))]
2599impl_eq! { Cow<'a, str>, &'b str }
2600#[cfg(not(no_global_oom_handling))]
2601impl_eq! { Cow<'a, str>, String }
2602
2603#[stable(feature = "rust1", since = "1.0.0")]
2604#[rustc_const_unstable(feature = "const_default", issue = "143894")]
2605impl const Default for String {
2606 /// Creates an empty `String`.
2607 #[inline]
2608 fn default() -> String {
2609 String::new()
2610 }
2611}
2612
2613#[stable(feature = "rust1", since = "1.0.0")]
2614impl fmt::Display for String {
2615 #[inline]
2616 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2617 fmt::Display::fmt(&**self, f)
2618 }
2619}
2620
2621#[stable(feature = "rust1", since = "1.0.0")]
2622impl fmt::Debug for String {
2623 #[inline]
2624 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2625 fmt::Debug::fmt(&**self, f)
2626 }
2627}
2628
2629#[stable(feature = "rust1", since = "1.0.0")]
2630impl hash::Hash for String {
2631 #[inline]
2632 fn hash<H: hash::Hasher>(&self, hasher: &mut H) {
2633 (**self).hash(hasher)
2634 }
2635}
2636
2637/// Implements the `+` operator for concatenating two strings.
2638///
2639/// This consumes the `String` on the left-hand side and re-uses its buffer (growing it if
2640/// necessary). This is done to avoid allocating a new `String` and copying the entire contents on
2641/// every operation, which would lead to *O*(*n*^2) running time when building an *n*-byte string by
2642/// repeated concatenation.
2643///
2644/// The string on the right-hand side is only borrowed; its contents are copied into the returned
2645/// `String`.
2646///
2647/// # Examples
2648///
2649/// Concatenating two `String`s takes the first by value and borrows the second:
2650///
2651/// ```
2652/// let a = String::from("hello");
2653/// let b = String::from(" world");
2654/// let c = a + &b;
2655/// // `a` is moved and can no longer be used here.
2656/// ```
2657///
2658/// If you want to keep using the first `String`, you can clone it and append to the clone instead:
2659///
2660/// ```
2661/// let a = String::from("hello");
2662/// let b = String::from(" world");
2663/// let c = a.clone() + &b;
2664/// // `a` is still valid here.
2665/// ```
2666///
2667/// Concatenating `&str` slices can be done by converting the first to a `String`:
2668///
2669/// ```
2670/// let a = "hello";
2671/// let b = " world";
2672/// let c = a.to_string() + b;
2673/// ```
2674#[cfg(not(no_global_oom_handling))]
2675#[stable(feature = "rust1", since = "1.0.0")]
2676impl Add<&str> for String {
2677 type Output = String;
2678
2679 #[inline]
2680 fn add(mut self, other: &str) -> String {
2681 self.push_str(other);
2682 self
2683 }
2684}
2685
2686/// Implements the `+=` operator for appending to a `String`.
2687///
2688/// This has the same behavior as the [`push_str`][String::push_str] method.
2689#[cfg(not(no_global_oom_handling))]
2690#[stable(feature = "stringaddassign", since = "1.12.0")]
2691impl AddAssign<&str> for String {
2692 #[inline]
2693 fn add_assign(&mut self, other: &str) {
2694 self.push_str(other);
2695 }
2696}
2697
2698#[stable(feature = "rust1", since = "1.0.0")]
2699impl<I> ops::Index<I> for String
2700where
2701 I: slice::SliceIndex<str>,
2702{
2703 type Output = I::Output;
2704
2705 #[inline]
2706 fn index(&self, index: I) -> &I::Output {
2707 index.index(self.as_str())
2708 }
2709}
2710
2711#[stable(feature = "rust1", since = "1.0.0")]
2712impl<I> ops::IndexMut<I> for String
2713where
2714 I: slice::SliceIndex<str>,
2715{
2716 #[inline]
2717 fn index_mut(&mut self, index: I) -> &mut I::Output {
2718 index.index_mut(self.as_mut_str())
2719 }
2720}
2721
2722#[stable(feature = "rust1", since = "1.0.0")]
2723impl ops::Deref for String {
2724 type Target = str;
2725
2726 #[inline]
2727 fn deref(&self) -> &str {
2728 self.as_str()
2729 }
2730}
2731
2732#[unstable(feature = "deref_pure_trait", issue = "87121")]
2733unsafe impl ops::DerefPure for String {}
2734
2735#[stable(feature = "derefmut_for_string", since = "1.3.0")]
2736impl ops::DerefMut for String {
2737 #[inline]
2738 fn deref_mut(&mut self) -> &mut str {
2739 self.as_mut_str()
2740 }
2741}
2742
2743/// A type alias for [`Infallible`].
2744///
2745/// This alias exists for backwards compatibility, and may be eventually deprecated.
2746///
2747/// [`Infallible`]: core::convert::Infallible "convert::Infallible"
2748#[stable(feature = "str_parse_error", since = "1.5.0")]
2749pub type ParseError = core::convert::Infallible;
2750
2751#[cfg(not(no_global_oom_handling))]
2752#[stable(feature = "rust1", since = "1.0.0")]
2753impl FromStr for String {
2754 type Err = core::convert::Infallible;
2755 #[inline]
2756 fn from_str(s: &str) -> Result<String, Self::Err> {
2757 Ok(String::from(s))
2758 }
2759}
2760
2761/// A trait for converting a value to a `String`.
2762///
2763/// This trait is automatically implemented for any type which implements the
2764/// [`Display`] trait. As such, `ToString` shouldn't be implemented directly:
2765/// [`Display`] should be implemented instead, and you get the `ToString`
2766/// implementation for free.
2767///
2768/// [`Display`]: fmt::Display
2769#[rustc_diagnostic_item = "ToString"]
2770#[stable(feature = "rust1", since = "1.0.0")]
2771pub trait ToString {
2772 /// Converts the given value to a `String`.
2773 ///
2774 /// # Examples
2775 ///
2776 /// ```
2777 /// let i = 5;
2778 /// let five = String::from("5");
2779 ///
2780 /// assert_eq!(five, i.to_string());
2781 /// ```
2782 #[rustc_conversion_suggestion]
2783 #[stable(feature = "rust1", since = "1.0.0")]
2784 #[rustc_diagnostic_item = "to_string_method"]
2785 fn to_string(&self) -> String;
2786}
2787
2788/// # Panics
2789///
2790/// In this implementation, the `to_string` method panics
2791/// if the `Display` implementation returns an error.
2792/// This indicates an incorrect `Display` implementation
2793/// since `fmt::Write for String` never returns an error itself.
2794#[cfg(not(no_global_oom_handling))]
2795#[stable(feature = "rust1", since = "1.0.0")]
2796impl<T: fmt::Display + ?Sized> ToString for T {
2797 #[inline]
2798 fn to_string(&self) -> String {
2799 <Self as SpecToString>::spec_to_string(self)
2800 }
2801}
2802
2803#[cfg(not(no_global_oom_handling))]
2804trait SpecToString {
2805 fn spec_to_string(&self) -> String;
2806}
2807
2808#[cfg(not(no_global_oom_handling))]
2809impl<T: fmt::Display + ?Sized> SpecToString for T {
2810 // A common guideline is to not inline generic functions. However,
2811 // removing `#[inline]` from this method causes non-negligible regressions.
2812 // See <https://github.com/rust-lang/rust/pull/74852>, the last attempt
2813 // to try to remove it.
2814 #[inline]
2815 default fn spec_to_string(&self) -> String {
2816 let mut buf = String::new();
2817 let mut formatter =
2818 core::fmt::Formatter::new(&mut buf, core::fmt::FormattingOptions::new());
2819 // Bypass format_args!() to avoid write_str with zero-length strs
2820 fmt::Display::fmt(self, &mut formatter)
2821 .expect("a Display implementation returned an error unexpectedly");
2822 buf
2823 }
2824}
2825
2826#[cfg(not(no_global_oom_handling))]
2827impl SpecToString for core::ascii::Char {
2828 #[inline]
2829 fn spec_to_string(&self) -> String {
2830 self.as_str().to_owned()
2831 }
2832}
2833
2834#[cfg(not(no_global_oom_handling))]
2835impl SpecToString for char {
2836 #[inline]
2837 fn spec_to_string(&self) -> String {
2838 String::from(self.encode_utf8(&mut [0; char::MAX_LEN_UTF8]))
2839 }
2840}
2841
2842#[cfg(not(no_global_oom_handling))]
2843impl SpecToString for bool {
2844 #[inline]
2845 fn spec_to_string(&self) -> String {
2846 String::from(if *self { "true" } else { "false" })
2847 }
2848}
2849
2850macro_rules! impl_to_string {
2851 ($($signed:ident, $unsigned:ident,)*) => {
2852 $(
2853 #[cfg(not(no_global_oom_handling))]
2854 #[cfg(not(feature = "optimize_for_size"))]
2855 impl SpecToString for $signed {
2856 #[inline]
2857 fn spec_to_string(&self) -> String {
2858 const SIZE: usize = $signed::MAX.ilog10() as usize + 1;
2859 let mut buf = [core::mem::MaybeUninit::<u8>::uninit(); SIZE];
2860 // Only difference between signed and unsigned are these 8 lines.
2861 let mut out;
2862 if *self < 0 {
2863 out = String::with_capacity(SIZE + 1);
2864 out.push('-');
2865 } else {
2866 out = String::with_capacity(SIZE);
2867 }
2868
2869 // SAFETY: `buf` is always big enough to contain all the digits.
2870 unsafe { out.push_str(self.unsigned_abs()._fmt(&mut buf)); }
2871 out
2872 }
2873 }
2874 #[cfg(not(no_global_oom_handling))]
2875 #[cfg(not(feature = "optimize_for_size"))]
2876 impl SpecToString for $unsigned {
2877 #[inline]
2878 fn spec_to_string(&self) -> String {
2879 const SIZE: usize = $unsigned::MAX.ilog10() as usize + 1;
2880 let mut buf = [core::mem::MaybeUninit::<u8>::uninit(); SIZE];
2881
2882 // SAFETY: `buf` is always big enough to contain all the digits.
2883 unsafe { self._fmt(&mut buf).to_string() }
2884 }
2885 }
2886 )*
2887 }
2888}
2889
2890impl_to_string! {
2891 i8, u8,
2892 i16, u16,
2893 i32, u32,
2894 i64, u64,
2895 isize, usize,
2896 i128, u128,
2897}
2898
2899#[cfg(not(no_global_oom_handling))]
2900#[cfg(feature = "optimize_for_size")]
2901impl SpecToString for u8 {
2902 #[inline]
2903 fn spec_to_string(&self) -> String {
2904 let mut buf = String::with_capacity(3);
2905 let mut n = *self;
2906 if n >= 10 {
2907 if n >= 100 {
2908 buf.push((b'0' + n / 100) as char);
2909 n %= 100;
2910 }
2911 buf.push((b'0' + n / 10) as char);
2912 n %= 10;
2913 }
2914 buf.push((b'0' + n) as char);
2915 buf
2916 }
2917}
2918
2919#[cfg(not(no_global_oom_handling))]
2920#[cfg(feature = "optimize_for_size")]
2921impl SpecToString for i8 {
2922 #[inline]
2923 fn spec_to_string(&self) -> String {
2924 let mut buf = String::with_capacity(4);
2925 if self.is_negative() {
2926 buf.push('-');
2927 }
2928 let mut n = self.unsigned_abs();
2929 if n >= 10 {
2930 if n >= 100 {
2931 buf.push('1');
2932 n -= 100;
2933 }
2934 buf.push((b'0' + n / 10) as char);
2935 n %= 10;
2936 }
2937 buf.push((b'0' + n) as char);
2938 buf
2939 }
2940}
2941
2942#[cfg(not(no_global_oom_handling))]
2943macro_rules! to_string_str {
2944 {$($type:ty,)*} => {
2945 $(
2946 impl SpecToString for $type {
2947 #[inline]
2948 fn spec_to_string(&self) -> String {
2949 let s: &str = self;
2950 String::from(s)
2951 }
2952 }
2953 )*
2954 };
2955}
2956
2957#[cfg(not(no_global_oom_handling))]
2958to_string_str! {
2959 Cow<'_, str>,
2960 String,
2961 // Generic/generated code can sometimes have multiple, nested references
2962 // for strings, including `&&&str`s that would never be written
2963 // by hand.
2964 &&&&&&&&&&&&str,
2965 &&&&&&&&&&&str,
2966 &&&&&&&&&&str,
2967 &&&&&&&&&str,
2968 &&&&&&&&str,
2969 &&&&&&&str,
2970 &&&&&&str,
2971 &&&&&str,
2972 &&&&str,
2973 &&&str,
2974 &&str,
2975 &str,
2976 str,
2977}
2978
2979#[cfg(not(no_global_oom_handling))]
2980impl SpecToString for fmt::Arguments<'_> {
2981 #[inline]
2982 fn spec_to_string(&self) -> String {
2983 crate::fmt::format(*self)
2984 }
2985}
2986
2987#[stable(feature = "rust1", since = "1.0.0")]
2988impl AsRef<str> for String {
2989 #[inline]
2990 fn as_ref(&self) -> &str {
2991 self
2992 }
2993}
2994
2995#[stable(feature = "string_as_mut", since = "1.43.0")]
2996impl AsMut<str> for String {
2997 #[inline]
2998 fn as_mut(&mut self) -> &mut str {
2999 self
3000 }
3001}
3002
3003#[stable(feature = "rust1", since = "1.0.0")]
3004impl AsRef<[u8]> for String {
3005 #[inline]
3006 fn as_ref(&self) -> &[u8] {
3007 self.as_bytes()
3008 }
3009}
3010
3011#[cfg(not(no_global_oom_handling))]
3012#[stable(feature = "rust1", since = "1.0.0")]
3013impl From<&str> for String {
3014 /// Converts a `&str` into a [`String`].
3015 ///
3016 /// The result is allocated on the heap.
3017 #[inline]
3018 fn from(s: &str) -> String {
3019 s.to_owned()
3020 }
3021}
3022
3023#[cfg(not(no_global_oom_handling))]
3024#[stable(feature = "from_mut_str_for_string", since = "1.44.0")]
3025impl From<&mut str> for String {
3026 /// Converts a `&mut str` into a [`String`].
3027 ///
3028 /// The result is allocated on the heap.
3029 #[inline]
3030 fn from(s: &mut str) -> String {
3031 s.to_owned()
3032 }
3033}
3034
3035#[cfg(not(no_global_oom_handling))]
3036#[stable(feature = "from_ref_string", since = "1.35.0")]
3037impl From<&String> for String {
3038 /// Converts a `&String` into a [`String`].
3039 ///
3040 /// This clones `s` and returns the clone.
3041 #[inline]
3042 fn from(s: &String) -> String {
3043 s.clone()
3044 }
3045}
3046
3047// note: test pulls in std, which causes errors here
3048#[stable(feature = "string_from_box", since = "1.18.0")]
3049impl From<Box<str>> for String {
3050 /// Converts the given boxed `str` slice to a [`String`].
3051 /// It is notable that the `str` slice is owned.
3052 ///
3053 /// # Examples
3054 ///
3055 /// ```
3056 /// let s1: String = String::from("hello world");
3057 /// let s2: Box<str> = s1.into_boxed_str();
3058 /// let s3: String = String::from(s2);
3059 ///
3060 /// assert_eq!("hello world", s3)
3061 /// ```
3062 fn from(s: Box<str>) -> String {
3063 s.into_string()
3064 }
3065}
3066
3067#[cfg(not(no_global_oom_handling))]
3068#[stable(feature = "box_from_str", since = "1.20.0")]
3069impl From<String> for Box<str> {
3070 /// Converts the given [`String`] to a boxed `str` slice that is owned.
3071 ///
3072 /// # Examples
3073 ///
3074 /// ```
3075 /// let s1: String = String::from("hello world");
3076 /// let s2: Box<str> = Box::from(s1);
3077 /// let s3: String = String::from(s2);
3078 ///
3079 /// assert_eq!("hello world", s3)
3080 /// ```
3081 fn from(s: String) -> Box<str> {
3082 s.into_boxed_str()
3083 }
3084}
3085
3086#[cfg(not(no_global_oom_handling))]
3087#[stable(feature = "string_from_cow_str", since = "1.14.0")]
3088impl<'a> From<Cow<'a, str>> for String {
3089 /// Converts a clone-on-write string to an owned
3090 /// instance of [`String`].
3091 ///
3092 /// This extracts the owned string,
3093 /// clones the string if it is not already owned.
3094 ///
3095 /// # Example
3096 ///
3097 /// ```
3098 /// # use std::borrow::Cow;
3099 /// // If the string is not owned...
3100 /// let cow: Cow<'_, str> = Cow::Borrowed("eggplant");
3101 /// // It will allocate on the heap and copy the string.
3102 /// let owned: String = String::from(cow);
3103 /// assert_eq!(&owned[..], "eggplant");
3104 /// ```
3105 fn from(s: Cow<'a, str>) -> String {
3106 s.into_owned()
3107 }
3108}
3109
3110#[cfg(not(no_global_oom_handling))]
3111#[stable(feature = "rust1", since = "1.0.0")]
3112impl<'a> From<&'a str> for Cow<'a, str> {
3113 /// Converts a string slice into a [`Borrowed`] variant.
3114 /// No heap allocation is performed, and the string
3115 /// is not copied.
3116 ///
3117 /// # Example
3118 ///
3119 /// ```
3120 /// # use std::borrow::Cow;
3121 /// assert_eq!(Cow::from("eggplant"), Cow::Borrowed("eggplant"));
3122 /// ```
3123 ///
3124 /// [`Borrowed`]: crate::borrow::Cow::Borrowed "borrow::Cow::Borrowed"
3125 #[inline]
3126 fn from(s: &'a str) -> Cow<'a, str> {
3127 Cow::Borrowed(s)
3128 }
3129}
3130
3131#[cfg(not(no_global_oom_handling))]
3132#[stable(feature = "rust1", since = "1.0.0")]
3133impl<'a> From<String> for Cow<'a, str> {
3134 /// Converts a [`String`] into an [`Owned`] variant.
3135 /// No heap allocation is performed, and the string
3136 /// is not copied.
3137 ///
3138 /// # Example
3139 ///
3140 /// ```
3141 /// # use std::borrow::Cow;
3142 /// let s = "eggplant".to_string();
3143 /// let s2 = "eggplant".to_string();
3144 /// assert_eq!(Cow::from(s), Cow::<'static, str>::Owned(s2));
3145 /// ```
3146 ///
3147 /// [`Owned`]: crate::borrow::Cow::Owned "borrow::Cow::Owned"
3148 #[inline]
3149 fn from(s: String) -> Cow<'a, str> {
3150 Cow::Owned(s)
3151 }
3152}
3153
3154#[cfg(not(no_global_oom_handling))]
3155#[stable(feature = "cow_from_string_ref", since = "1.28.0")]
3156impl<'a> From<&'a String> for Cow<'a, str> {
3157 /// Converts a [`String`] reference into a [`Borrowed`] variant.
3158 /// No heap allocation is performed, and the string
3159 /// is not copied.
3160 ///
3161 /// # Example
3162 ///
3163 /// ```
3164 /// # use std::borrow::Cow;
3165 /// let s = "eggplant".to_string();
3166 /// assert_eq!(Cow::from(&s), Cow::Borrowed("eggplant"));
3167 /// ```
3168 ///
3169 /// [`Borrowed`]: crate::borrow::Cow::Borrowed "borrow::Cow::Borrowed"
3170 #[inline]
3171 fn from(s: &'a String) -> Cow<'a, str> {
3172 Cow::Borrowed(s.as_str())
3173 }
3174}
3175
3176#[cfg(not(no_global_oom_handling))]
3177#[stable(feature = "cow_str_from_iter", since = "1.12.0")]
3178impl<'a> FromIterator<char> for Cow<'a, str> {
3179 fn from_iter<I: IntoIterator<Item = char>>(it: I) -> Cow<'a, str> {
3180 Cow::Owned(FromIterator::from_iter(it))
3181 }
3182}
3183
3184#[cfg(not(no_global_oom_handling))]
3185#[stable(feature = "cow_str_from_iter", since = "1.12.0")]
3186impl<'a, 'b> FromIterator<&'b str> for Cow<'a, str> {
3187 fn from_iter<I: IntoIterator<Item = &'b str>>(it: I) -> Cow<'a, str> {
3188 Cow::Owned(FromIterator::from_iter(it))
3189 }
3190}
3191
3192#[cfg(not(no_global_oom_handling))]
3193#[stable(feature = "cow_str_from_iter", since = "1.12.0")]
3194impl<'a> FromIterator<String> for Cow<'a, str> {
3195 fn from_iter<I: IntoIterator<Item = String>>(it: I) -> Cow<'a, str> {
3196 Cow::Owned(FromIterator::from_iter(it))
3197 }
3198}
3199
3200#[stable(feature = "from_string_for_vec_u8", since = "1.14.0")]
3201impl From<String> for Vec<u8> {
3202 /// Converts the given [`String`] to a vector [`Vec`] that holds values of type [`u8`].
3203 ///
3204 /// # Examples
3205 ///
3206 /// ```
3207 /// let s1 = String::from("hello world");
3208 /// let v1 = Vec::from(s1);
3209 ///
3210 /// for b in v1 {
3211 /// println!("{b}");
3212 /// }
3213 /// ```
3214 fn from(string: String) -> Vec<u8> {
3215 string.into_bytes()
3216 }
3217}
3218
3219#[stable(feature = "try_from_vec_u8_for_string", since = "1.87.0")]
3220impl TryFrom<Vec<u8>> for String {
3221 type Error = FromUtf8Error;
3222 /// Converts the given [`Vec<u8>`] into a [`String`] if it contains valid UTF-8 data.
3223 ///
3224 /// # Examples
3225 ///
3226 /// ```
3227 /// let s1 = b"hello world".to_vec();
3228 /// let v1 = String::try_from(s1).unwrap();
3229 /// assert_eq!(v1, "hello world");
3230 ///
3231 /// ```
3232 fn try_from(bytes: Vec<u8>) -> Result<Self, Self::Error> {
3233 Self::from_utf8(bytes)
3234 }
3235}
3236
3237#[cfg(not(no_global_oom_handling))]
3238#[stable(feature = "rust1", since = "1.0.0")]
3239impl fmt::Write for String {
3240 #[inline]
3241 fn write_str(&mut self, s: &str) -> fmt::Result {
3242 self.push_str(s);
3243 Ok(())
3244 }
3245
3246 #[inline]
3247 fn write_char(&mut self, c: char) -> fmt::Result {
3248 self.push(c);
3249 Ok(())
3250 }
3251}
3252
3253/// An iterator over the [`char`]s of a string.
3254///
3255/// This struct is created by the [`into_chars`] method on [`String`].
3256/// See its documentation for more.
3257///
3258/// [`char`]: prim@char
3259/// [`into_chars`]: String::into_chars
3260#[cfg_attr(not(no_global_oom_handling), derive(Clone))]
3261#[must_use = "iterators are lazy and do nothing unless consumed"]
3262#[unstable(feature = "string_into_chars", issue = "133125")]
3263pub struct IntoChars {
3264 bytes: vec::IntoIter<u8>,
3265}
3266
3267#[unstable(feature = "string_into_chars", issue = "133125")]
3268impl fmt::Debug for IntoChars {
3269 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3270 f.debug_tuple("IntoChars").field(&self.as_str()).finish()
3271 }
3272}
3273
3274impl IntoChars {
3275 /// Views the underlying data as a subslice of the original data.
3276 ///
3277 /// # Examples
3278 ///
3279 /// ```
3280 /// #![feature(string_into_chars)]
3281 ///
3282 /// let mut chars = String::from("abc").into_chars();
3283 ///
3284 /// assert_eq!(chars.as_str(), "abc");
3285 /// chars.next();
3286 /// assert_eq!(chars.as_str(), "bc");
3287 /// chars.next();
3288 /// chars.next();
3289 /// assert_eq!(chars.as_str(), "");
3290 /// ```
3291 #[unstable(feature = "string_into_chars", issue = "133125")]
3292 #[must_use]
3293 #[inline]
3294 pub fn as_str(&self) -> &str {
3295 // SAFETY: `bytes` is a valid UTF-8 string.
3296 unsafe { str::from_utf8_unchecked(self.bytes.as_slice()) }
3297 }
3298
3299 /// Consumes the `IntoChars`, returning the remaining string.
3300 ///
3301 /// # Examples
3302 ///
3303 /// ```
3304 /// #![feature(string_into_chars)]
3305 ///
3306 /// let chars = String::from("abc").into_chars();
3307 /// assert_eq!(chars.into_string(), "abc");
3308 ///
3309 /// let mut chars = String::from("def").into_chars();
3310 /// chars.next();
3311 /// assert_eq!(chars.into_string(), "ef");
3312 /// ```
3313 #[cfg(not(no_global_oom_handling))]
3314 #[unstable(feature = "string_into_chars", issue = "133125")]
3315 #[inline]
3316 pub fn into_string(self) -> String {
3317 // Safety: `bytes` are kept in UTF-8 form, only removing whole `char`s at a time.
3318 unsafe { String::from_utf8_unchecked(self.bytes.collect()) }
3319 }
3320
3321 #[inline]
3322 fn iter(&self) -> CharIndices<'_> {
3323 self.as_str().char_indices()
3324 }
3325}
3326
3327#[unstable(feature = "string_into_chars", issue = "133125")]
3328impl Iterator for IntoChars {
3329 type Item = char;
3330
3331 #[inline]
3332 fn next(&mut self) -> Option<char> {
3333 let mut iter = self.iter();
3334 match iter.next() {
3335 None => None,
3336 Some((_, ch)) => {
3337 let offset = iter.offset();
3338 // `offset` is a valid index.
3339 let _ = self.bytes.advance_by(offset);
3340 Some(ch)
3341 }
3342 }
3343 }
3344
3345 #[inline]
3346 fn count(self) -> usize {
3347 self.iter().count()
3348 }
3349
3350 #[inline]
3351 fn size_hint(&self) -> (usize, Option<usize>) {
3352 self.iter().size_hint()
3353 }
3354
3355 #[inline]
3356 fn last(mut self) -> Option<char> {
3357 self.next_back()
3358 }
3359}
3360
3361#[unstable(feature = "string_into_chars", issue = "133125")]
3362impl DoubleEndedIterator for IntoChars {
3363 #[inline]
3364 fn next_back(&mut self) -> Option<char> {
3365 let len = self.as_str().len();
3366 let mut iter = self.iter();
3367 match iter.next_back() {
3368 None => None,
3369 Some((idx, ch)) => {
3370 // `idx` is a valid index.
3371 let _ = self.bytes.advance_back_by(len - idx);
3372 Some(ch)
3373 }
3374 }
3375 }
3376}
3377
3378#[unstable(feature = "string_into_chars", issue = "133125")]
3379impl FusedIterator for IntoChars {}
3380
3381/// A draining iterator for `String`.
3382///
3383/// This struct is created by the [`drain`] method on [`String`]. See its
3384/// documentation for more.
3385///
3386/// [`drain`]: String::drain
3387#[stable(feature = "drain", since = "1.6.0")]
3388pub struct Drain<'a> {
3389 /// Will be used as &'a mut String in the destructor
3390 string: *mut String,
3391 /// Start of part to remove
3392 start: usize,
3393 /// End of part to remove
3394 end: usize,
3395 /// Current remaining range to remove
3396 iter: Chars<'a>,
3397}
3398
3399#[stable(feature = "collection_debug", since = "1.17.0")]
3400impl fmt::Debug for Drain<'_> {
3401 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3402 f.debug_tuple("Drain").field(&self.as_str()).finish()
3403 }
3404}
3405
3406#[stable(feature = "drain", since = "1.6.0")]
3407unsafe impl Sync for Drain<'_> {}
3408#[stable(feature = "drain", since = "1.6.0")]
3409unsafe impl Send for Drain<'_> {}
3410
3411#[stable(feature = "drain", since = "1.6.0")]
3412impl Drop for Drain<'_> {
3413 fn drop(&mut self) {
3414 unsafe {
3415 // Use Vec::drain. "Reaffirm" the bounds checks to avoid
3416 // panic code being inserted again.
3417 let self_vec = (*self.string).as_mut_vec();
3418 if self.start <= self.end && self.end <= self_vec.len() {
3419 self_vec.drain(self.start..self.end);
3420 }
3421 }
3422 }
3423}
3424
3425impl<'a> Drain<'a> {
3426 /// Returns the remaining (sub)string of this iterator as a slice.
3427 ///
3428 /// # Examples
3429 ///
3430 /// ```
3431 /// let mut s = String::from("abc");
3432 /// let mut drain = s.drain(..);
3433 /// assert_eq!(drain.as_str(), "abc");
3434 /// let _ = drain.next().unwrap();
3435 /// assert_eq!(drain.as_str(), "bc");
3436 /// ```
3437 #[must_use]
3438 #[stable(feature = "string_drain_as_str", since = "1.55.0")]
3439 pub fn as_str(&self) -> &str {
3440 self.iter.as_str()
3441 }
3442}
3443
3444#[stable(feature = "string_drain_as_str", since = "1.55.0")]
3445impl<'a> AsRef<str> for Drain<'a> {
3446 fn as_ref(&self) -> &str {
3447 self.as_str()
3448 }
3449}
3450
3451#[stable(feature = "string_drain_as_str", since = "1.55.0")]
3452impl<'a> AsRef<[u8]> for Drain<'a> {
3453 fn as_ref(&self) -> &[u8] {
3454 self.as_str().as_bytes()
3455 }
3456}
3457
3458#[stable(feature = "drain", since = "1.6.0")]
3459impl Iterator for Drain<'_> {
3460 type Item = char;
3461
3462 #[inline]
3463 fn next(&mut self) -> Option<char> {
3464 self.iter.next()
3465 }
3466
3467 fn size_hint(&self) -> (usize, Option<usize>) {
3468 self.iter.size_hint()
3469 }
3470
3471 #[inline]
3472 fn last(mut self) -> Option<char> {
3473 self.next_back()
3474 }
3475}
3476
3477#[stable(feature = "drain", since = "1.6.0")]
3478impl DoubleEndedIterator for Drain<'_> {
3479 #[inline]
3480 fn next_back(&mut self) -> Option<char> {
3481 self.iter.next_back()
3482 }
3483}
3484
3485#[stable(feature = "fused", since = "1.26.0")]
3486impl FusedIterator for Drain<'_> {}
3487
3488#[cfg(not(no_global_oom_handling))]
3489#[stable(feature = "from_char_for_string", since = "1.46.0")]
3490impl From<char> for String {
3491 /// Allocates an owned [`String`] from a single character.
3492 ///
3493 /// # Example
3494 /// ```rust
3495 /// let c: char = 'a';
3496 /// let s: String = String::from(c);
3497 /// assert_eq!("a", &s[..]);
3498 /// ```
3499 #[inline]
3500 fn from(c: char) -> Self {
3501 c.to_string()
3502 }
3503}