Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

std: Add more docs to std::mem::replace. #13797

Merged
merged 1 commit into from
Apr 28, 2014
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
32 changes: 32 additions & 0 deletions src/libstd/mem.rs
Original file line number Diff line number Diff line change
@@ -248,6 +248,38 @@ pub fn swap<T>(x: &mut T, y: &mut T) {
/**
* Replace the value at a mutable location with a new one, returning the old
* value, without deinitialising or copying either one.
*
* This is primarily used for transferring and swapping ownership of a value
* in a mutable location. For example, this function allows consumption of
* one field of a struct by replacing it with another value. The normal approach
* doesn't always work:
*
* ```rust,ignore
* struct Buffer<T> { buf: Vec<T> }
*
* impl<T> Buffer<T> {
* fn get_and_reset(&mut self) -> Vec<T> {
* // error: cannot move out of dereference of `&mut`-pointer
* let buf = self.buf;
* self.buf = Vec::new();
* buf
* }
* }
* ```
*
* Note that `T` does not necessarily implement `Clone`, so it can't even
* clone and reset `self.buf`. But `replace` can be used to disassociate
* the original value of `self.buf` from `self`, allowing it to be returned:
*
* ```rust
* # struct Buffer<T> { buf: Vec<T> }
* impl<T> Buffer<T> {
* fn get_and_reset(&mut self) -> Vec<T> {
* use std::mem::replace;
* replace(&mut self.buf, Vec::new())
* }
* }
* ```
*/
#[inline]
pub fn replace<T>(dest: &mut T, mut src: T) -> T {