2014-01-25 01:37:51 -06:00
|
|
|
// Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
|
2012-12-03 18:48:01 -06:00
|
|
|
// file at the top-level directory of this distribution and at
|
|
|
|
// http://rust-lang.org/COPYRIGHT.
|
|
|
|
//
|
|
|
|
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
|
|
|
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
|
|
|
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
|
|
|
// option. This file may not be copied, modified, or distributed
|
|
|
|
// except according to those terms.
|
|
|
|
|
2014-03-16 20:43:47 -05:00
|
|
|
//! Optional values
|
2013-10-31 17:09:24 -05:00
|
|
|
//!
|
2014-03-16 20:43:47 -05:00
|
|
|
//! Type `Option` represents an optional value: every `Option`
|
|
|
|
//! is either `Some` and contains a value, or `None`, and
|
|
|
|
//! does not. `Option` types are very common in Rust code, as
|
|
|
|
//! they have a number of uses:
|
2013-10-31 17:09:24 -05:00
|
|
|
//!
|
2014-03-16 20:43:47 -05:00
|
|
|
//! * Initial values
|
|
|
|
//! * Return values for functions that are not defined
|
|
|
|
//! over their entire input range (partial functions)
|
|
|
|
//! * Return value for otherwise reporting simple errors, where `None` is
|
|
|
|
//! returned on error
|
|
|
|
//! * Optional struct fields
|
|
|
|
//! * Struct fields that can be loaned or "taken"
|
|
|
|
//! * Optional function arguments
|
|
|
|
//! * Nullable pointers
|
|
|
|
//! * Swapping things out of difficult situations
|
2013-10-31 17:09:24 -05:00
|
|
|
//!
|
2014-03-16 20:43:47 -05:00
|
|
|
//! Options are commonly paired with pattern matching to query the presence
|
2013-10-31 17:09:24 -05:00
|
|
|
//! of a value and take action, always accounting for the `None` case.
|
|
|
|
//!
|
2014-03-16 20:43:47 -05:00
|
|
|
//! ```
|
2014-05-11 11:23:46 -05:00
|
|
|
//! fn divide(numerator: f64, denominator: f64) -> Option<f64> {
|
|
|
|
//! if denominator == 0.0 {
|
|
|
|
//! None
|
|
|
|
//! } else {
|
|
|
|
//! Some(numerator / denominator)
|
|
|
|
//! }
|
|
|
|
//! }
|
|
|
|
//!
|
|
|
|
//! // The return value of the function is an option
|
|
|
|
//! let result = divide(2.0, 3.0);
|
2014-03-16 20:43:47 -05:00
|
|
|
//!
|
|
|
|
//! // Pattern match to retrieve the value
|
2014-05-11 11:23:46 -05:00
|
|
|
//! match result {
|
|
|
|
//! // The division was valid
|
|
|
|
//! Some(x) => println!("Result: {}", x),
|
|
|
|
//! // The division was invalid
|
|
|
|
//! None => println!("Cannot divide by 0")
|
2014-03-16 20:43:47 -05:00
|
|
|
//! }
|
|
|
|
//! ```
|
|
|
|
//!
|
|
|
|
//
|
|
|
|
// FIXME: Show how `Option` is used in practice, with lots of methods
|
|
|
|
//
|
|
|
|
//! # Options and pointers ("nullable" pointers)
|
|
|
|
//!
|
|
|
|
//! Rust's pointer types must always point to a valid location; there are
|
|
|
|
//! no "null" pointers. Instead, Rust has *optional* pointers, like
|
2014-05-05 20:56:44 -05:00
|
|
|
//! the optional owned box, `Option<Box<T>>`.
|
2014-03-16 20:43:47 -05:00
|
|
|
//!
|
|
|
|
//! The following example uses `Option` to create an optional box of
|
|
|
|
//! `int`. Notice that in order to use the inner `int` value first the
|
|
|
|
//! `check_optional` function needs to use pattern matching to
|
|
|
|
//! determine whether the box has a value (i.e. it is `Some(...)`) or
|
|
|
|
//! not (`None`).
|
|
|
|
//!
|
|
|
|
//! ```
|
2014-05-05 20:56:44 -05:00
|
|
|
//! let optional: Option<Box<int>> = None;
|
2014-03-16 20:43:47 -05:00
|
|
|
//! check_optional(&optional);
|
2013-10-31 17:09:24 -05:00
|
|
|
//!
|
2014-05-05 20:56:44 -05:00
|
|
|
//! let optional: Option<Box<int>> = Some(box 9000);
|
2014-03-16 20:43:47 -05:00
|
|
|
//! check_optional(&optional);
|
|
|
|
//!
|
2014-05-05 20:56:44 -05:00
|
|
|
//! fn check_optional(optional: &Option<Box<int>>) {
|
2014-03-16 20:43:47 -05:00
|
|
|
//! match *optional {
|
|
|
|
//! Some(ref p) => println!("have value {}", p),
|
|
|
|
//! None => println!("have no value")
|
|
|
|
//! }
|
|
|
|
//! }
|
2013-10-31 17:09:24 -05:00
|
|
|
//! ```
|
2014-03-16 20:43:47 -05:00
|
|
|
//!
|
|
|
|
//! This usage of `Option` to create safe nullable pointers is so
|
|
|
|
//! common that Rust does special optimizations to make the
|
2014-05-05 20:56:44 -05:00
|
|
|
//! representation of `Option<Box<T>>` a single pointer. Optional pointers
|
2014-03-16 20:43:47 -05:00
|
|
|
//! in Rust are stored as efficiently as any other pointer type.
|
|
|
|
//!
|
|
|
|
//! # Examples
|
|
|
|
//!
|
|
|
|
//! Basic pattern matching on `Option`:
|
|
|
|
//!
|
|
|
|
//! ```
|
|
|
|
//! let msg = Some("howdy");
|
2013-10-31 17:09:24 -05:00
|
|
|
//!
|
|
|
|
//! // Take a reference to the contained string
|
|
|
|
//! match msg {
|
2014-01-09 04:06:55 -06:00
|
|
|
//! Some(ref m) => println!("{}", *m),
|
2013-10-31 17:09:24 -05:00
|
|
|
//! None => ()
|
|
|
|
//! }
|
|
|
|
//!
|
|
|
|
//! // Remove the contained string, destroying the Option
|
|
|
|
//! let unwrapped_msg = match msg {
|
|
|
|
//! Some(m) => m,
|
2014-03-16 20:43:47 -05:00
|
|
|
//! None => "default message"
|
2013-10-31 17:09:24 -05:00
|
|
|
//! };
|
|
|
|
//! ```
|
2014-03-16 20:43:47 -05:00
|
|
|
//!
|
|
|
|
//! Initialize a result to `None` before a loop:
|
|
|
|
//!
|
|
|
|
//! ```
|
|
|
|
//! enum Kingdom { Plant(uint, &'static str), Animal(uint, &'static str) }
|
|
|
|
//!
|
|
|
|
//! // A list of data to search through.
|
|
|
|
//! let all_the_big_things = [
|
|
|
|
//! Plant(250, "redwood"),
|
|
|
|
//! Plant(230, "noble fir"),
|
|
|
|
//! Plant(229, "sugar pine"),
|
|
|
|
//! Animal(25, "blue whale"),
|
|
|
|
//! Animal(19, "fin whale"),
|
|
|
|
//! Animal(15, "north pacific right whale"),
|
|
|
|
//! ];
|
|
|
|
//!
|
|
|
|
//! // We're going to search for the name of the biggest animal,
|
|
|
|
//! // but to start with we've just got `None`.
|
|
|
|
//! let mut name_of_biggest_animal = None;
|
|
|
|
//! let mut size_of_biggest_animal = 0;
|
|
|
|
//! for big_thing in all_the_big_things.iter() {
|
|
|
|
//! match *big_thing {
|
|
|
|
//! Animal(size, name) if size > size_of_biggest_animal => {
|
|
|
|
//! // Now we've found the name of some big animal
|
|
|
|
//! size_of_biggest_animal = size;
|
|
|
|
//! name_of_biggest_animal = Some(name);
|
|
|
|
//! }
|
|
|
|
//! Animal(..) | Plant(..) => ()
|
|
|
|
//! }
|
|
|
|
//! }
|
|
|
|
//!
|
|
|
|
//! match name_of_biggest_animal {
|
|
|
|
//! Some(name) => println!("the biggest animal is {}", name),
|
|
|
|
//! None => println!("there are no animals :(")
|
|
|
|
//! }
|
|
|
|
//! ```
|
2013-10-31 17:09:24 -05:00
|
|
|
|
2014-08-18 19:42:11 -05:00
|
|
|
#![stable]
|
|
|
|
|
2014-05-31 12:43:52 -05:00
|
|
|
use cmp::{PartialEq, Eq, Ord};
|
2013-09-09 21:29:11 -05:00
|
|
|
use default::Default;
|
2013-12-20 22:56:07 -06:00
|
|
|
use iter::{Iterator, DoubleEndedIterator, FromIterator, ExactSize};
|
2014-01-31 14:35:36 -06:00
|
|
|
use mem;
|
2014-09-23 01:18:30 -05:00
|
|
|
use result::{Result, Ok, Err};
|
2014-03-08 17:11:52 -06:00
|
|
|
use slice;
|
2014-10-06 21:55:52 -05:00
|
|
|
use slice::AsSlice;
|
2012-08-27 19:24:15 -05:00
|
|
|
|
2014-07-21 22:54:28 -05:00
|
|
|
// Note that this is not a lang item per se, but it has a hidden dependency on
|
|
|
|
// `Iterator`, which is one. The compiler assumes that the `next` method of
|
|
|
|
// `Iterator` is an enumeration with one type parameter and two variants,
|
|
|
|
// which basically means it must be `Option`.
|
|
|
|
|
|
|
|
/// The `Option` type.
|
2014-05-31 12:43:52 -05:00
|
|
|
#[deriving(Clone, PartialEq, PartialOrd, Eq, Ord, Show)]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2012-10-01 16:08:34 -05:00
|
|
|
pub enum Option<T> {
|
2013-10-31 17:09:24 -05:00
|
|
|
/// No value
|
2012-08-20 14:23:37 -05:00
|
|
|
None,
|
2013-10-31 17:09:24 -05:00
|
|
|
/// Some value `T`
|
|
|
|
Some(T)
|
2011-12-13 18:25:51 -06:00
|
|
|
}
|
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
// Type implementation
|
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
|
|
|
|
impl<T> Option<T> {
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Querying the contained values
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-03-16 20:43:47 -05:00
|
|
|
/// Returns `true` if the option is a `Some` value
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x: Option<uint> = Some(2);
|
|
|
|
/// assert_eq!(x.is_some(), true);
|
|
|
|
///
|
|
|
|
/// let x: Option<uint> = None;
|
|
|
|
/// assert_eq!(x.is_some(), false);
|
|
|
|
/// ```
|
2013-10-31 17:09:24 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn is_some(&self) -> bool {
|
2013-08-03 18:59:24 -05:00
|
|
|
match *self {
|
2013-10-31 17:09:24 -05:00
|
|
|
Some(_) => true,
|
|
|
|
None => false
|
2013-08-03 18:59:24 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-03-16 20:43:47 -05:00
|
|
|
/// Returns `true` if the option is a `None` value
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x: Option<uint> = Some(2);
|
|
|
|
/// assert_eq!(x.is_none(), false);
|
|
|
|
///
|
|
|
|
/// let x: Option<uint> = None;
|
|
|
|
/// assert_eq!(x.is_none(), true);
|
|
|
|
/// ```
|
2013-10-31 17:09:24 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn is_none(&self) -> bool {
|
|
|
|
!self.is_some()
|
|
|
|
}
|
|
|
|
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Adapter for working with references
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2013-09-20 01:08:47 -05:00
|
|
|
/// Convert from `Option<T>` to `Option<&T>`
|
2014-03-16 20:43:47 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
2014-05-22 18:57:53 -05:00
|
|
|
/// Convert an `Option<String>` into an `Option<int>`, preserving the original.
|
2014-03-16 20:43:47 -05:00
|
|
|
/// The `map` method takes the `self` argument by value, consuming the original,
|
|
|
|
/// so this technique uses `as_ref` to first take an `Option` to a reference
|
|
|
|
/// to the value inside the original.
|
|
|
|
///
|
|
|
|
/// ```
|
2014-05-25 05:17:19 -05:00
|
|
|
/// let num_as_str: Option<String> = Some("10".to_string());
|
2014-05-22 18:57:53 -05:00
|
|
|
/// // First, cast `Option<String>` to `Option<&String>` with `as_ref`,
|
2014-03-16 20:43:47 -05:00
|
|
|
/// // then consume *that* with `map`, leaving `num_as_str` on the stack.
|
|
|
|
/// let num_as_int: Option<uint> = num_as_str.as_ref().map(|n| n.len());
|
|
|
|
/// println!("still can print num_as_str: {}", num_as_str);
|
|
|
|
/// ```
|
2013-09-20 01:08:47 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2013-09-20 01:08:47 -05:00
|
|
|
pub fn as_ref<'r>(&'r self) -> Option<&'r T> {
|
|
|
|
match *self { Some(ref x) => Some(x), None => None }
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Convert from `Option<T>` to `Option<&mut T>`
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let mut x = Some(2u);
|
|
|
|
/// match x.as_mut() {
|
2014-10-20 20:18:59 -05:00
|
|
|
/// Some(v) => *v = 42,
|
2014-09-16 10:20:03 -05:00
|
|
|
/// None => {},
|
|
|
|
/// }
|
|
|
|
/// assert_eq!(x, Some(42u));
|
|
|
|
/// ```
|
2013-09-20 01:08:47 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for mut conventions"]
|
2013-09-20 01:08:47 -05:00
|
|
|
pub fn as_mut<'r>(&'r mut self) -> Option<&'r mut T> {
|
|
|
|
match *self { Some(ref mut x) => Some(x), None => None }
|
|
|
|
}
|
|
|
|
|
2014-03-14 10:32:04 -05:00
|
|
|
/// Convert from `Option<T>` to `&mut [T]` (without copying)
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let mut x = Some("Diamonds");
|
|
|
|
/// {
|
|
|
|
/// let v = x.as_mut_slice();
|
|
|
|
/// assert!(v == ["Diamonds"]);
|
|
|
|
/// v[0] = "Dirt";
|
|
|
|
/// assert!(v == ["Dirt"]);
|
|
|
|
/// }
|
|
|
|
/// assert_eq!(x, Some("Dirt"));
|
|
|
|
/// ```
|
2014-01-15 13:39:08 -06:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for mut conventions"]
|
2014-01-15 13:39:08 -06:00
|
|
|
pub fn as_mut_slice<'r>(&'r mut self) -> &'r mut [T] {
|
|
|
|
match *self {
|
2014-08-04 07:19:02 -05:00
|
|
|
Some(ref mut x) => {
|
|
|
|
let result: &mut [T] = slice::mut_ref_slice(x);
|
|
|
|
result
|
|
|
|
}
|
|
|
|
None => {
|
|
|
|
let result: &mut [T] = &mut [];
|
|
|
|
result
|
|
|
|
}
|
2014-01-15 13:39:08 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Getting to contained values
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-06-02 17:49:42 -05:00
|
|
|
/// Unwraps an option, yielding the content of a `Some`
|
|
|
|
///
|
2014-10-09 14:17:22 -05:00
|
|
|
/// # Panics
|
2014-06-02 17:49:42 -05:00
|
|
|
///
|
2014-10-09 14:17:22 -05:00
|
|
|
/// Fails if the value is a `None` with a custom panic message provided by
|
2014-06-02 17:49:42 -05:00
|
|
|
/// `msg`.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some("value");
|
|
|
|
/// assert_eq!(x.expect("the world is ending"), "value");
|
|
|
|
/// ```
|
|
|
|
///
|
|
|
|
/// ```{.should_fail}
|
|
|
|
/// let x: Option<&str> = None;
|
|
|
|
/// x.expect("the world is ending"); // fails with `world is ending`
|
|
|
|
/// ```
|
2014-06-02 17:49:42 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for conventions"]
|
2014-06-02 17:49:42 -05:00
|
|
|
pub fn expect(self, msg: &str) -> T {
|
|
|
|
match self {
|
|
|
|
Some(val) => val,
|
2014-10-09 14:17:22 -05:00
|
|
|
None => panic!("{}", msg),
|
2014-06-02 17:49:42 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-08-18 12:47:13 -05:00
|
|
|
/// Returns the inner `T` of a `Some(T)`.
|
2013-10-31 17:09:24 -05:00
|
|
|
///
|
2014-10-09 14:17:22 -05:00
|
|
|
/// # Panics
|
2013-10-31 17:09:24 -05:00
|
|
|
///
|
2014-10-09 14:17:22 -05:00
|
|
|
/// Panics if the self value equals `None`.
|
2013-10-31 17:09:24 -05:00
|
|
|
///
|
|
|
|
/// # Safety note
|
|
|
|
///
|
2014-10-09 14:17:22 -05:00
|
|
|
/// In general, because this function may panic, its use is discouraged.
|
2013-10-31 17:09:24 -05:00
|
|
|
/// Instead, prefer to use pattern matching and handle the `None`
|
|
|
|
/// case explicitly.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
2014-09-17 08:02:26 -05:00
|
|
|
/// # Example
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some("air");
|
|
|
|
/// assert_eq!(x.unwrap(), "air");
|
|
|
|
/// ```
|
|
|
|
///
|
|
|
|
/// ```{.should_fail}
|
|
|
|
/// let x: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.unwrap(), "air"); // fails
|
|
|
|
/// ```
|
2013-10-31 17:09:24 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for conventions"]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn unwrap(self) -> T {
|
|
|
|
match self {
|
|
|
|
Some(val) => val,
|
2014-10-09 14:17:22 -05:00
|
|
|
None => panic!("called `Option::unwrap()` on a `None` value"),
|
2013-10-31 17:09:24 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-03-16 22:42:25 -05:00
|
|
|
/// Returns the contained value or a default.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// assert_eq!(Some("car").unwrap_or("bike"), "car");
|
|
|
|
/// assert_eq!(None.unwrap_or("bike"), "bike");
|
|
|
|
/// ```
|
2013-10-31 17:09:24 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for conventions"]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn unwrap_or(self, def: T) -> T {
|
|
|
|
match self {
|
|
|
|
Some(x) => x,
|
|
|
|
None => def
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-03-16 22:42:25 -05:00
|
|
|
/// Returns the contained value or computes it from a closure.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let k = 10u;
|
|
|
|
/// assert_eq!(Some(4u).unwrap_or_else(|| 2 * k), 4u);
|
|
|
|
/// assert_eq!(None.unwrap_or_else(|| 2 * k), 20u);
|
|
|
|
/// ```
|
2013-10-31 17:09:24 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for conventions"]
|
2013-11-18 23:15:42 -06:00
|
|
|
pub fn unwrap_or_else(self, f: || -> T) -> T {
|
2013-10-31 17:09:24 -05:00
|
|
|
match self {
|
|
|
|
Some(x) => x,
|
|
|
|
None => f()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Transforming contained values
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-03-16 20:43:47 -05:00
|
|
|
/// Maps an `Option<T>` to `Option<U>` by applying a function to a contained value
|
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
2014-05-22 18:57:53 -05:00
|
|
|
/// Convert an `Option<String>` into an `Option<uint>`, consuming the original:
|
2014-03-16 20:43:47 -05:00
|
|
|
///
|
|
|
|
/// ```
|
2014-05-25 05:17:19 -05:00
|
|
|
/// let num_as_str: Option<String> = Some("10".to_string());
|
2014-03-16 20:43:47 -05:00
|
|
|
/// // `Option::map` takes self *by value*, consuming `num_as_str`
|
|
|
|
/// let num_as_int: Option<uint> = num_as_str.map(|n| n.len());
|
|
|
|
/// ```
|
2013-09-20 01:08:47 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for unboxed closures"]
|
2013-11-18 23:15:42 -06:00
|
|
|
pub fn map<U>(self, f: |T| -> U) -> Option<U> {
|
2013-09-20 01:08:47 -05:00
|
|
|
match self { Some(x) => Some(f(x)), None => None }
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Applies a function to the contained value or returns a default.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some("foo");
|
|
|
|
/// assert_eq!(x.map_or(42u, |v| v.len()), 3u);
|
|
|
|
///
|
|
|
|
/// let x: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.map_or(42u, |v| v.len()), 42u);
|
|
|
|
/// ```
|
2013-09-20 01:08:47 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for unboxed closures"]
|
2013-12-06 12:51:10 -06:00
|
|
|
pub fn map_or<U>(self, def: U, f: |T| -> U) -> U {
|
2013-09-20 01:08:47 -05:00
|
|
|
match self { None => def, Some(t) => f(t) }
|
|
|
|
}
|
|
|
|
|
2014-08-18 19:42:11 -05:00
|
|
|
/// Applies a function to the contained value or computes a default.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let k = 21u;
|
|
|
|
///
|
|
|
|
/// let x = Some("foo");
|
|
|
|
/// assert_eq!(x.map_or_else(|| 2 * k, |v| v.len()), 3u);
|
|
|
|
///
|
|
|
|
/// let x: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.map_or_else(|| 2 * k, |v| v.len()), 42u);
|
|
|
|
/// ```
|
2014-08-18 19:42:11 -05:00
|
|
|
#[inline]
|
|
|
|
#[unstable = "waiting for unboxed closures"]
|
|
|
|
pub fn map_or_else<U>(self, def: || -> U, f: |T| -> U) -> U {
|
|
|
|
match self { None => def(), Some(t) => f(t) }
|
|
|
|
}
|
|
|
|
|
2014-09-23 01:18:30 -05:00
|
|
|
/// Transforms the `Option<T>` into a `Result<T, E>`, mapping `Some(v)` to
|
|
|
|
/// `Ok(v)` and `None` to `Err(err)`.
|
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some("foo");
|
|
|
|
/// assert_eq!(x.ok_or(0i), Ok("foo"));
|
|
|
|
///
|
|
|
|
/// let x: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.ok_or(0i), Err(0i));
|
|
|
|
/// ```
|
|
|
|
#[inline]
|
|
|
|
#[experimental]
|
|
|
|
pub fn ok_or<E>(self, err: E) -> Result<T, E> {
|
|
|
|
match self {
|
|
|
|
Some(v) => Ok(v),
|
|
|
|
None => Err(err),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Transforms the `Option<T>` into a `Result<T, E>`, mapping `Some(v)` to
|
|
|
|
/// `Ok(v)` and `None` to `Err(err())`.
|
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some("foo");
|
|
|
|
/// assert_eq!(x.ok_or_else(|| 0i), Ok("foo"));
|
|
|
|
///
|
|
|
|
/// let x: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.ok_or_else(|| 0i), Err(0i));
|
|
|
|
/// ```
|
|
|
|
#[inline]
|
|
|
|
#[experimental]
|
|
|
|
pub fn ok_or_else<E>(self, err: || -> E) -> Result<T, E> {
|
|
|
|
match self {
|
|
|
|
Some(v) => Ok(v),
|
|
|
|
None => Err(err()),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Iterator constructors
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-03-16 22:42:25 -05:00
|
|
|
/// Returns an iterator over the possibly contained value.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some(4u);
|
|
|
|
/// assert_eq!(x.iter().next(), Some(&4));
|
|
|
|
///
|
|
|
|
/// let x: Option<uint> = None;
|
|
|
|
/// assert_eq!(x.iter().next(), None);
|
|
|
|
/// ```
|
2013-06-10 16:45:59 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for iterator conventions"]
|
2014-01-14 21:32:24 -06:00
|
|
|
pub fn iter<'r>(&'r self) -> Item<&'r T> {
|
2014-03-14 11:29:47 -05:00
|
|
|
Item{opt: self.as_ref()}
|
2013-06-10 16:45:59 -05:00
|
|
|
}
|
|
|
|
|
2014-03-16 22:42:25 -05:00
|
|
|
/// Returns a mutable iterator over the possibly contained value.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let mut x = Some(4u);
|
|
|
|
/// match x.iter_mut().next() {
|
|
|
|
/// Some(&ref mut v) => *v = 42u,
|
|
|
|
/// None => {},
|
|
|
|
/// }
|
|
|
|
/// assert_eq!(x, Some(42));
|
|
|
|
///
|
|
|
|
/// let mut x: Option<uint> = None;
|
|
|
|
/// assert_eq!(x.iter_mut().next(), None);
|
|
|
|
/// ```
|
2013-06-10 16:45:59 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for iterator conventions"]
|
2014-09-14 17:57:55 -05:00
|
|
|
pub fn iter_mut<'r>(&'r mut self) -> Item<&'r mut T> {
|
2014-03-14 11:29:47 -05:00
|
|
|
Item{opt: self.as_mut()}
|
2013-06-10 16:45:59 -05:00
|
|
|
}
|
|
|
|
|
2014-03-16 22:42:25 -05:00
|
|
|
/// Returns a consuming iterator over the possibly contained value.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some("string");
|
|
|
|
/// let v: Vec<&str> = x.into_iter().collect();
|
|
|
|
/// assert_eq!(v, vec!["string"]);
|
|
|
|
///
|
|
|
|
/// let x = None;
|
|
|
|
/// let v: Vec<&str> = x.into_iter().collect();
|
|
|
|
/// assert_eq!(v, vec![]);
|
|
|
|
/// ```
|
2013-08-03 12:40:20 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for iterator conventions"]
|
2014-09-14 17:57:55 -05:00
|
|
|
pub fn into_iter(self) -> Item<T> {
|
2014-01-14 21:32:24 -06:00
|
|
|
Item{opt: self}
|
2013-08-03 12:40:20 -05:00
|
|
|
}
|
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Boolean operations on the values, eager and lazy
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
2013-03-16 14:49:12 -05:00
|
|
|
|
2013-09-11 11:00:27 -05:00
|
|
|
/// Returns `None` if the option is `None`, otherwise returns `optb`.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some(2u);
|
|
|
|
/// let y: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.and(y), None);
|
|
|
|
///
|
|
|
|
/// let x: Option<uint> = None;
|
|
|
|
/// let y = Some("foo");
|
|
|
|
/// assert_eq!(x.and(y), None);
|
|
|
|
///
|
|
|
|
/// let x = Some(2u);
|
|
|
|
/// let y = Some("foo");
|
|
|
|
/// assert_eq!(x.and(y), Some("foo"));
|
|
|
|
///
|
|
|
|
/// let x: Option<uint> = None;
|
|
|
|
/// let y: Option<&str> = None;
|
|
|
|
/// assert_eq!(x.and(y), None);
|
|
|
|
/// ```
|
2013-06-18 16:45:18 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn and<U>(self, optb: Option<U>) -> Option<U> {
|
2013-03-16 14:49:12 -05:00
|
|
|
match self {
|
2013-09-11 11:00:27 -05:00
|
|
|
Some(_) => optb,
|
|
|
|
None => None,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-09-12 20:54:02 -05:00
|
|
|
/// Returns `None` if the option is `None`, otherwise calls `f` with the
|
|
|
|
/// wrapped value and returns the result.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// fn sq(x: uint) -> Option<uint> { Some(x * x) }
|
|
|
|
/// fn nope(_: uint) -> Option<uint> { None }
|
|
|
|
///
|
|
|
|
/// assert_eq!(Some(2).and_then(sq).and_then(sq), Some(16));
|
|
|
|
/// assert_eq!(Some(2).and_then(sq).and_then(nope), None);
|
|
|
|
/// assert_eq!(Some(2).and_then(nope).and_then(sq), None);
|
|
|
|
/// assert_eq!(None.and_then(sq).and_then(sq), None);
|
|
|
|
/// ```
|
2013-09-11 11:00:27 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for unboxed closures"]
|
2013-11-18 23:15:42 -06:00
|
|
|
pub fn and_then<U>(self, f: |T| -> Option<U>) -> Option<U> {
|
2013-09-11 11:00:27 -05:00
|
|
|
match self {
|
2013-09-11 14:52:17 -05:00
|
|
|
Some(x) => f(x),
|
2013-09-11 11:00:27 -05:00
|
|
|
None => None,
|
2013-03-16 14:49:12 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-09-11 11:00:27 -05:00
|
|
|
/// Returns the option if it contains a value, otherwise returns `optb`.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let x = Some(2u);
|
|
|
|
/// let y = None;
|
|
|
|
/// assert_eq!(x.or(y), Some(2u));
|
|
|
|
///
|
|
|
|
/// let x = None;
|
|
|
|
/// let y = Some(100u);
|
|
|
|
/// assert_eq!(x.or(y), Some(100u));
|
|
|
|
///
|
|
|
|
/// let x = Some(2u);
|
|
|
|
/// let y = Some(100u);
|
|
|
|
/// assert_eq!(x.or(y), Some(2u));
|
|
|
|
///
|
|
|
|
/// let x: Option<uint> = None;
|
|
|
|
/// let y = None;
|
|
|
|
/// assert_eq!(x.or(y), None);
|
|
|
|
/// ```
|
2013-06-18 16:45:18 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2013-05-31 17:17:22 -05:00
|
|
|
pub fn or(self, optb: Option<T>) -> Option<T> {
|
2013-03-16 14:49:12 -05:00
|
|
|
match self {
|
2013-09-11 11:00:27 -05:00
|
|
|
Some(_) => self,
|
|
|
|
None => optb
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-09-12 20:54:02 -05:00
|
|
|
/// Returns the option if it contains a value, otherwise calls `f` and
|
|
|
|
/// returns the result.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// fn nobody() -> Option<&'static str> { None }
|
|
|
|
/// fn vikings() -> Option<&'static str> { Some("vikings") }
|
|
|
|
///
|
|
|
|
/// assert_eq!(Some("barbarians").or_else(vikings), Some("barbarians"));
|
|
|
|
/// assert_eq!(None.or_else(vikings), Some("vikings"));
|
|
|
|
/// assert_eq!(None.or_else(nobody), None);
|
|
|
|
/// ```
|
2013-09-11 11:00:27 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for unboxed closures"]
|
2013-11-18 23:15:42 -06:00
|
|
|
pub fn or_else(self, f: || -> Option<T>) -> Option<T> {
|
2013-09-11 11:00:27 -05:00
|
|
|
match self {
|
|
|
|
Some(_) => self,
|
2014-03-16 22:42:25 -05:00
|
|
|
None => f()
|
2013-09-11 11:00:27 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
// Misc
|
|
|
|
/////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-03-16 22:42:25 -05:00
|
|
|
/// Takes the value out of the option, leaving a `None` in its place.
|
2014-09-16 10:20:03 -05:00
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let mut x = Some(2u);
|
|
|
|
/// x.take();
|
|
|
|
/// assert_eq!(x, None);
|
|
|
|
///
|
|
|
|
/// let mut x: Option<uint> = None;
|
|
|
|
/// x.take();
|
|
|
|
/// assert_eq!(x, None);
|
|
|
|
/// ```
|
2013-10-31 17:09:24 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[stable]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn take(&mut self) -> Option<T> {
|
2014-01-31 14:35:36 -06:00
|
|
|
mem::replace(self, None)
|
2013-10-31 17:09:24 -05:00
|
|
|
}
|
|
|
|
}
|
2013-04-10 15:11:35 -05:00
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
impl<T: Default> Option<T> {
|
2014-03-16 20:43:47 -05:00
|
|
|
/// Returns the contained value or a default
|
|
|
|
///
|
|
|
|
/// Consumes the `self` argument then, if `Some`, returns the contained
|
|
|
|
/// value, otherwise if `None`, returns the default value for that
|
|
|
|
/// type.
|
|
|
|
///
|
|
|
|
/// # Example
|
|
|
|
///
|
|
|
|
/// Convert a string to an integer, turning poorly-formed strings
|
|
|
|
/// into 0 (the default value for integers). `from_str` converts
|
|
|
|
/// a string to any other type that implements `FromStr`, returning
|
|
|
|
/// `None` on error.
|
|
|
|
///
|
|
|
|
/// ```
|
|
|
|
/// let good_year_from_input = "1909";
|
|
|
|
/// let bad_year_from_input = "190blarg";
|
|
|
|
/// let good_year = from_str(good_year_from_input).unwrap_or_default();
|
|
|
|
/// let bad_year = from_str(bad_year_from_input).unwrap_or_default();
|
|
|
|
///
|
2014-04-21 16:58:52 -05:00
|
|
|
/// assert_eq!(1909i, good_year);
|
|
|
|
/// assert_eq!(0i, bad_year);
|
2014-03-16 20:43:47 -05:00
|
|
|
/// ```
|
2013-06-18 16:45:18 -05:00
|
|
|
#[inline]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for conventions"]
|
2013-10-31 17:09:24 -05:00
|
|
|
pub fn unwrap_or_default(self) -> T {
|
2013-03-16 14:49:12 -05:00
|
|
|
match self {
|
2013-08-03 18:59:24 -05:00
|
|
|
Some(x) => x,
|
2013-10-31 17:09:24 -05:00
|
|
|
None => Default::default()
|
2013-03-16 14:49:12 -05:00
|
|
|
}
|
|
|
|
}
|
2013-10-31 17:09:24 -05:00
|
|
|
}
|
2012-12-18 20:55:19 -06:00
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
// Trait implementations
|
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-10-06 21:55:52 -05:00
|
|
|
impl<T> AsSlice<T> for Option<T> {
|
|
|
|
/// Convert from `Option<T>` to `&[T]` (without copying)
|
|
|
|
#[inline]
|
|
|
|
#[stable]
|
|
|
|
fn as_slice<'a>(&'a self) -> &'a [T] {
|
|
|
|
match *self {
|
|
|
|
Some(ref x) => slice::ref_slice(x),
|
|
|
|
None => {
|
|
|
|
let result: &[_] = &[];
|
|
|
|
result
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2013-09-09 21:29:11 -05:00
|
|
|
impl<T> Default for Option<T> {
|
2013-09-11 23:49:25 -05:00
|
|
|
#[inline]
|
2013-09-09 21:29:11 -05:00
|
|
|
fn default() -> Option<T> { None }
|
|
|
|
}
|
|
|
|
|
2013-10-31 17:09:24 -05:00
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
// The Option Iterator
|
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
2013-01-03 17:36:23 -06:00
|
|
|
|
2014-03-16 20:43:47 -05:00
|
|
|
/// An `Option` iterator that yields either one or zero elements
|
|
|
|
///
|
2014-09-16 10:20:03 -05:00
|
|
|
/// The `Item` iterator is returned by the `iter`, `iter_mut` and `into_iter`
|
2014-03-16 20:43:47 -05:00
|
|
|
/// methods on `Option`.
|
2014-03-05 00:19:14 -06:00
|
|
|
#[deriving(Clone)]
|
2014-08-18 19:42:11 -05:00
|
|
|
#[unstable = "waiting for iterator conventions"]
|
2014-01-14 21:32:24 -06:00
|
|
|
pub struct Item<A> {
|
2014-03-27 17:09:47 -05:00
|
|
|
opt: Option<A>
|
2013-06-10 16:45:59 -05:00
|
|
|
}
|
|
|
|
|
2014-01-14 21:32:24 -06:00
|
|
|
impl<A> Iterator<A> for Item<A> {
|
2013-08-03 14:34:00 -05:00
|
|
|
#[inline]
|
2013-08-03 12:40:20 -05:00
|
|
|
fn next(&mut self) -> Option<A> {
|
2013-08-03 14:34:00 -05:00
|
|
|
self.opt.take()
|
2013-06-10 16:45:59 -05:00
|
|
|
}
|
2013-07-08 17:31:26 -05:00
|
|
|
|
2013-08-03 14:34:00 -05:00
|
|
|
#[inline]
|
2013-07-08 17:31:26 -05:00
|
|
|
fn size_hint(&self) -> (uint, Option<uint>) {
|
|
|
|
match self.opt {
|
|
|
|
Some(_) => (1, Some(1)),
|
|
|
|
None => (0, Some(0)),
|
|
|
|
}
|
|
|
|
}
|
2013-06-10 16:45:59 -05:00
|
|
|
}
|
|
|
|
|
2014-01-14 21:32:24 -06:00
|
|
|
impl<A> DoubleEndedIterator<A> for Item<A> {
|
2013-08-10 21:21:31 -05:00
|
|
|
#[inline]
|
|
|
|
fn next_back(&mut self) -> Option<A> {
|
|
|
|
self.opt.take()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-01-14 21:32:24 -06:00
|
|
|
impl<A> ExactSize<A> for Item<A> {}
|
2013-09-01 11:20:24 -05:00
|
|
|
|
2013-12-20 22:56:07 -06:00
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
// Free functions
|
|
|
|
/////////////////////////////////////////////////////////////////////////////
|
|
|
|
|
2014-08-18 19:42:11 -05:00
|
|
|
impl<A, V: FromIterator<A>> FromIterator<Option<A>> for Option<V> {
|
|
|
|
/// Takes each element in the `Iterator`: if it is `None`, no further
|
|
|
|
/// elements are taken, and the `None` is returned. Should no `None` occur, a
|
|
|
|
/// container with the values of each `Option` is returned.
|
|
|
|
///
|
|
|
|
/// Here is an example which increments every integer in a vector,
|
|
|
|
/// checking for overflow:
|
|
|
|
///
|
|
|
|
/// ```rust
|
|
|
|
/// use std::uint;
|
|
|
|
///
|
|
|
|
/// let v = vec!(1u, 2u);
|
2014-10-31 04:40:15 -05:00
|
|
|
/// let res: Option<Vec<uint>> = v.iter().map(|&x: &uint|
|
|
|
|
/// if x == uint::MAX { None }
|
2014-08-18 19:42:11 -05:00
|
|
|
/// else { Some(x + 1) }
|
|
|
|
/// ).collect();
|
|
|
|
/// assert!(res == Some(vec!(2u, 3u)));
|
|
|
|
/// ```
|
|
|
|
#[inline]
|
|
|
|
fn from_iter<I: Iterator<Option<A>>>(iter: I) -> Option<V> {
|
|
|
|
// FIXME(#11084): This could be replaced with Iterator::scan when this
|
|
|
|
// performance bug is closed.
|
|
|
|
|
|
|
|
struct Adapter<Iter> {
|
|
|
|
iter: Iter,
|
|
|
|
found_none: bool,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<T, Iter: Iterator<Option<T>>> Iterator<T> for Adapter<Iter> {
|
|
|
|
#[inline]
|
|
|
|
fn next(&mut self) -> Option<T> {
|
|
|
|
match self.iter.next() {
|
|
|
|
Some(Some(value)) => Some(value),
|
|
|
|
Some(None) => {
|
|
|
|
self.found_none = true;
|
|
|
|
None
|
|
|
|
}
|
|
|
|
None => None,
|
2014-06-23 18:27:54 -05:00
|
|
|
}
|
2013-12-20 22:56:07 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-08-18 19:42:11 -05:00
|
|
|
let mut adapter = Adapter { iter: iter, found_none: false };
|
|
|
|
let v: V = FromIterator::from_iter(adapter.by_ref());
|
2013-12-20 22:56:07 -06:00
|
|
|
|
2014-08-18 19:42:11 -05:00
|
|
|
if adapter.found_none {
|
|
|
|
None
|
|
|
|
} else {
|
|
|
|
Some(v)
|
|
|
|
}
|
2013-12-20 22:56:07 -06:00
|
|
|
}
|
|
|
|
}
|