]> git.lizzy.rs Git - rust.git/blob - src/libcore/result.rs
core: Split apart the global `core` feature
[rust.git] / src / libcore / result.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Error handling with the `Result` type
12 //!
13 //! `Result<T, E>` is the type used for returning and propagating
14 //! errors. It is an enum with the variants, `Ok(T)`, representing
15 //! success and containing a value, and `Err(E)`, representing error
16 //! and containing an error value.
17 //!
18 //! ```
19 //! enum Result<T, E> {
20 //!    Ok(T),
21 //!    Err(E)
22 //! }
23 //! ```
24 //!
25 //! Functions return `Result` whenever errors are expected and
26 //! recoverable. In the `std` crate `Result` is most prominently used
27 //! for [I/O](../../std/io/index.html).
28 //!
29 //! A simple function returning `Result` might be
30 //! defined and used like so:
31 //!
32 //! ```
33 //! #[derive(Debug)]
34 //! enum Version { Version1, Version2 }
35 //!
36 //! fn parse_version(header: &[u8]) -> Result<Version, &'static str> {
37 //!     match header.get(0) {
38 //!         None => Err("invalid header length"),
39 //!         Some(&1) => Ok(Version::Version1),
40 //!         Some(&2) => Ok(Version::Version2),
41 //!         Some(_) => Err("invalid version")
42 //!     }
43 //! }
44 //!
45 //! let version = parse_version(&[1, 2, 3, 4]);
46 //! match version {
47 //!     Ok(v) => println!("working with version: {:?}", v),
48 //!     Err(e) => println!("error parsing header: {:?}", e),
49 //! }
50 //! ```
51 //!
52 //! Pattern matching on `Result`s is clear and straightforward for
53 //! simple cases, but `Result` comes with some convenience methods
54 //! that make working with it more succinct.
55 //!
56 //! ```
57 //! let good_result: Result<i32, i32> = Ok(10);
58 //! let bad_result: Result<i32, i32> = Err(10);
59 //!
60 //! // The `is_ok` and `is_err` methods do what they say.
61 //! assert!(good_result.is_ok() && !good_result.is_err());
62 //! assert!(bad_result.is_err() && !bad_result.is_ok());
63 //!
64 //! // `map` consumes the `Result` and produces another.
65 //! let good_result: Result<i32, i32> = good_result.map(|i| i + 1);
66 //! let bad_result: Result<i32, i32> = bad_result.map(|i| i - 1);
67 //!
68 //! // Use `and_then` to continue the computation.
69 //! let good_result: Result<bool, i32> = good_result.and_then(|i| Ok(i == 11));
70 //!
71 //! // Use `or_else` to handle the error.
72 //! let bad_result: Result<i32, i32> = bad_result.or_else(|i| Ok(i + 20));
73 //!
74 //! // Consume the result and return the contents with `unwrap`.
75 //! let final_awesome_result = good_result.unwrap();
76 //! ```
77 //!
78 //! # Results must be used
79 //!
80 //! A common problem with using return values to indicate errors is
81 //! that it is easy to ignore the return value, thus failing to handle
82 //! the error. Result is annotated with the #[must_use] attribute,
83 //! which will cause the compiler to issue a warning when a Result
84 //! value is ignored. This makes `Result` especially useful with
85 //! functions that may encounter errors but don't otherwise return a
86 //! useful value.
87 //!
88 //! Consider the `write_all` method defined for I/O types
89 //! by the [`Write`](../../std/io/trait.Write.html) trait:
90 //!
91 //! ```
92 //! use std::io;
93 //!
94 //! trait Write {
95 //!     fn write_all(&mut self, bytes: &[u8]) -> Result<(), io::Error>;
96 //! }
97 //! ```
98 //!
99 //! *Note: The actual definition of `Write` uses `io::Result`, which
100 //! is just a synonym for `Result<T, io::Error>`.*
101 //!
102 //! This method doesn't produce a value, but the write may
103 //! fail. It's crucial to handle the error case, and *not* write
104 //! something like this:
105 //!
106 //! ```no_run
107 //! use std::fs::File;
108 //! use std::io::prelude::*;
109 //!
110 //! let mut file = File::create("valuable_data.txt").unwrap();
111 //! // If `write_all` errors, then we'll never know, because the return
112 //! // value is ignored.
113 //! file.write_all(b"important message");
114 //! ```
115 //!
116 //! If you *do* write that in Rust, the compiler will give you a
117 //! warning (by default, controlled by the `unused_must_use` lint).
118 //!
119 //! You might instead, if you don't want to handle the error, simply
120 //! panic, by converting to an `Option` with `ok`, then asserting
121 //! success with `expect`. This will panic if the write fails, proving
122 //! a marginally useful message indicating why:
123 //!
124 //! ```{.no_run}
125 //! use std::fs::File;
126 //! use std::io::prelude::*;
127 //!
128 //! let mut file = File::create("valuable_data.txt").unwrap();
129 //! file.write_all(b"important message").ok().expect("failed to write message");
130 //! ```
131 //!
132 //! You might also simply assert success:
133 //!
134 //! ```{.no_run}
135 //! # use std::fs::File;
136 //! # use std::io::prelude::*;
137 //! # let mut file = File::create("valuable_data.txt").unwrap();
138 //! assert!(file.write_all(b"important message").is_ok());
139 //! ```
140 //!
141 //! Or propagate the error up the call stack with `try!`:
142 //!
143 //! ```
144 //! # use std::fs::File;
145 //! # use std::io::prelude::*;
146 //! # use std::io;
147 //! fn write_message() -> io::Result<()> {
148 //!     let mut file = try!(File::create("valuable_data.txt"));
149 //!     try!(file.write_all(b"important message"));
150 //!     Ok(())
151 //! }
152 //! ```
153 //!
154 //! # The `try!` macro
155 //!
156 //! When writing code that calls many functions that return the
157 //! `Result` type, the error handling can be tedious.  The `try!`
158 //! macro hides some of the boilerplate of propagating errors up the
159 //! call stack.
160 //!
161 //! It replaces this:
162 //!
163 //! ```
164 //! use std::fs::File;
165 //! use std::io::prelude::*;
166 //! use std::io;
167 //!
168 //! struct Info {
169 //!     name: String,
170 //!     age: i32,
171 //!     rating: i32,
172 //! }
173 //!
174 //! fn write_info(info: &Info) -> io::Result<()> {
175 //!     let mut file = try!(File::create("my_best_friends.txt"));
176 //!     // Early return on error
177 //!     if let Err(e) = file.write_all(format!("name: {}\n", info.name).as_bytes()) {
178 //!         return Err(e)
179 //!     }
180 //!     if let Err(e) = file.write_all(format!("age: {}\n", info.age).as_bytes()) {
181 //!         return Err(e)
182 //!     }
183 //!     if let Err(e) = file.write_all(format!("rating: {}\n", info.rating).as_bytes()) {
184 //!         return Err(e)
185 //!     }
186 //!     Ok(())
187 //! }
188 //! ```
189 //!
190 //! With this:
191 //!
192 //! ```
193 //! use std::fs::File;
194 //! use std::io::prelude::*;
195 //! use std::io;
196 //!
197 //! struct Info {
198 //!     name: String,
199 //!     age: i32,
200 //!     rating: i32,
201 //! }
202 //!
203 //! fn write_info(info: &Info) -> io::Result<()> {
204 //!     let mut file = try!(File::create("my_best_friends.txt"));
205 //!     // Early return on error
206 //!     try!(file.write_all(format!("name: {}\n", info.name).as_bytes()));
207 //!     try!(file.write_all(format!("age: {}\n", info.age).as_bytes()));
208 //!     try!(file.write_all(format!("rating: {}\n", info.rating).as_bytes()));
209 //!     Ok(())
210 //! }
211 //! ```
212 //!
213 //! *It's much nicer!*
214 //!
215 //! Wrapping an expression in `try!` will result in the unwrapped
216 //! success (`Ok`) value, unless the result is `Err`, in which case
217 //! `Err` is returned early from the enclosing function. Its simple definition
218 //! makes it clear:
219 //!
220 //! ```
221 //! macro_rules! try {
222 //!     ($e:expr) => (match $e { Ok(e) => e, Err(e) => return Err(e) })
223 //! }
224 //! ```
225 //!
226 //! `try!` is imported by the prelude and is available everywhere, but it can only
227 //! be used in functions that return `Result` because of the early return of
228 //! `Err` that it provides.
229
230 #![stable(feature = "rust1", since = "1.0.0")]
231
232 use self::Result::{Ok, Err};
233
234 use clone::Clone;
235 use fmt;
236 use iter::{Iterator, DoubleEndedIterator, FromIterator, ExactSizeIterator, IntoIterator};
237 use ops::{FnMut, FnOnce};
238 use option::Option::{self, None, Some};
239 use slice;
240
241 /// `Result` is a type that represents either success (`Ok`) or failure (`Err`).
242 ///
243 /// See the [`std::result`](index.html) module documentation for details.
244 #[derive(Clone, Copy, PartialEq, PartialOrd, Eq, Ord, Debug, Hash)]
245 #[must_use]
246 #[stable(feature = "rust1", since = "1.0.0")]
247 pub enum Result<T, E> {
248     /// Contains the success value
249     #[stable(feature = "rust1", since = "1.0.0")]
250     Ok(T),
251
252     /// Contains the error value
253     #[stable(feature = "rust1", since = "1.0.0")]
254     Err(E)
255 }
256
257 /////////////////////////////////////////////////////////////////////////////
258 // Type implementation
259 /////////////////////////////////////////////////////////////////////////////
260
261 #[stable(feature = "rust1", since = "1.0.0")]
262 impl<T, E> Result<T, E> {
263     /////////////////////////////////////////////////////////////////////////
264     // Querying the contained values
265     /////////////////////////////////////////////////////////////////////////
266
267     /// Returns true if the result is `Ok`
268     ///
269     /// # Examples
270     ///
271     /// ```
272     /// let x: Result<i32, &str> = Ok(-3);
273     /// assert_eq!(x.is_ok(), true);
274     ///
275     /// let x: Result<i32, &str> = Err("Some error message");
276     /// assert_eq!(x.is_ok(), false);
277     /// ```
278     #[inline]
279     #[stable(feature = "rust1", since = "1.0.0")]
280     pub fn is_ok(&self) -> bool {
281         match *self {
282             Ok(_) => true,
283             Err(_) => false
284         }
285     }
286
287     /// Returns true if the result is `Err`
288     ///
289     /// # Examples
290     ///
291     /// ```
292     /// let x: Result<i32, &str> = Ok(-3);
293     /// assert_eq!(x.is_err(), false);
294     ///
295     /// let x: Result<i32, &str> = Err("Some error message");
296     /// assert_eq!(x.is_err(), true);
297     /// ```
298     #[inline]
299     #[stable(feature = "rust1", since = "1.0.0")]
300     pub fn is_err(&self) -> bool {
301         !self.is_ok()
302     }
303
304     /////////////////////////////////////////////////////////////////////////
305     // Adapter for each variant
306     /////////////////////////////////////////////////////////////////////////
307
308     /// Converts from `Result<T, E>` to `Option<T>`
309     ///
310     /// Converts `self` into an `Option<T>`, consuming `self`,
311     /// and discarding the error, if any.
312     ///
313     /// # Examples
314     ///
315     /// ```
316     /// let x: Result<u32, &str> = Ok(2);
317     /// assert_eq!(x.ok(), Some(2));
318     ///
319     /// let x: Result<u32, &str> = Err("Nothing here");
320     /// assert_eq!(x.ok(), None);
321     /// ```
322     #[inline]
323     #[stable(feature = "rust1", since = "1.0.0")]
324     pub fn ok(self) -> Option<T> {
325         match self {
326             Ok(x)  => Some(x),
327             Err(_) => None,
328         }
329     }
330
331     /// Converts from `Result<T, E>` to `Option<E>`
332     ///
333     /// Converts `self` into an `Option<E>`, consuming `self`,
334     /// and discarding the success value, if any.
335     ///
336     /// # Examples
337     ///
338     /// ```
339     /// let x: Result<u32, &str> = Ok(2);
340     /// assert_eq!(x.err(), None);
341     ///
342     /// let x: Result<u32, &str> = Err("Nothing here");
343     /// assert_eq!(x.err(), Some("Nothing here"));
344     /// ```
345     #[inline]
346     #[stable(feature = "rust1", since = "1.0.0")]
347     pub fn err(self) -> Option<E> {
348         match self {
349             Ok(_)  => None,
350             Err(x) => Some(x),
351         }
352     }
353
354     /////////////////////////////////////////////////////////////////////////
355     // Adapter for working with references
356     /////////////////////////////////////////////////////////////////////////
357
358     /// Converts from `Result<T, E>` to `Result<&T, &E>`
359     ///
360     /// Produces a new `Result`, containing a reference
361     /// into the original, leaving the original in place.
362     ///
363     /// ```
364     /// let x: Result<u32, &str> = Ok(2);
365     /// assert_eq!(x.as_ref(), Ok(&2));
366     ///
367     /// let x: Result<u32, &str> = Err("Error");
368     /// assert_eq!(x.as_ref(), Err(&"Error"));
369     /// ```
370     #[inline]
371     #[stable(feature = "rust1", since = "1.0.0")]
372     pub fn as_ref(&self) -> Result<&T, &E> {
373         match *self {
374             Ok(ref x) => Ok(x),
375             Err(ref x) => Err(x),
376         }
377     }
378
379     /// Converts from `Result<T, E>` to `Result<&mut T, &mut E>`
380     ///
381     /// ```
382     /// fn mutate(r: &mut Result<i32, i32>) {
383     ///     match r.as_mut() {
384     ///         Ok(&mut ref mut v) => *v = 42,
385     ///         Err(&mut ref mut e) => *e = 0,
386     ///     }
387     /// }
388     ///
389     /// let mut x: Result<i32, i32> = Ok(2);
390     /// mutate(&mut x);
391     /// assert_eq!(x.unwrap(), 42);
392     ///
393     /// let mut x: Result<i32, i32> = Err(13);
394     /// mutate(&mut x);
395     /// assert_eq!(x.unwrap_err(), 0);
396     /// ```
397     #[inline]
398     #[stable(feature = "rust1", since = "1.0.0")]
399     pub fn as_mut(&mut self) -> Result<&mut T, &mut E> {
400         match *self {
401             Ok(ref mut x) => Ok(x),
402             Err(ref mut x) => Err(x),
403         }
404     }
405
406     /// Converts from `Result<T, E>` to `&[T]` (without copying)
407     #[inline]
408     #[unstable(feature = "as_slice", since = "unsure of the utility here")]
409     pub fn as_slice(&self) -> &[T] {
410         match *self {
411             Ok(ref x) => slice::ref_slice(x),
412             Err(_) => {
413                 // work around lack of implicit coercion from fixed-size array to slice
414                 let emp: &[_] = &[];
415                 emp
416             }
417         }
418     }
419
420     /// Converts from `Result<T, E>` to `&mut [T]` (without copying)
421     ///
422     /// ```
423     /// # #![feature(core)]
424     /// let mut x: Result<&str, u32> = Ok("Gold");
425     /// {
426     ///     let v = x.as_mut_slice();
427     ///     assert!(v == ["Gold"]);
428     ///     v[0] = "Silver";
429     ///     assert!(v == ["Silver"]);
430     /// }
431     /// assert_eq!(x, Ok("Silver"));
432     ///
433     /// let mut x: Result<&str, u32> = Err(45);
434     /// assert!(x.as_mut_slice().is_empty());
435     /// ```
436     #[inline]
437     #[unstable(feature = "as_slice",
438                reason = "waiting for mut conventions")]
439     pub fn as_mut_slice(&mut self) -> &mut [T] {
440         match *self {
441             Ok(ref mut x) => slice::mut_ref_slice(x),
442             Err(_) => {
443                 // work around lack of implicit coercion from fixed-size array to slice
444                 let emp: &mut [_] = &mut [];
445                 emp
446             }
447         }
448     }
449
450     /////////////////////////////////////////////////////////////////////////
451     // Transforming contained values
452     /////////////////////////////////////////////////////////////////////////
453
454     /// Maps a `Result<T, E>` to `Result<U, E>` by applying a function to an
455     /// contained `Ok` value, leaving an `Err` value untouched.
456     ///
457     /// This function can be used to compose the results of two functions.
458     ///
459     /// # Examples
460     ///
461     /// Print the numbers on each line of a string multiplied by two.
462     ///
463     /// ```
464     /// let line = "1\n2\n3\n4\n";
465     ///
466     /// for num in line.lines() {
467     ///     match num.parse::<i32>().map(|i| i * 2) {
468     ///         Ok(n) => println!("{}", n),
469     ///         Err(..) => {}
470     ///     }
471     /// }
472     /// ```
473     #[inline]
474     #[stable(feature = "rust1", since = "1.0.0")]
475     pub fn map<U, F: FnOnce(T) -> U>(self, op: F) -> Result<U,E> {
476         match self {
477             Ok(t) => Ok(op(t)),
478             Err(e) => Err(e)
479         }
480     }
481
482     /// Maps a `Result<T, E>` to `Result<T, F>` by applying a function to an
483     /// contained `Err` value, leaving an `Ok` value untouched.
484     ///
485     /// This function can be used to pass through a successful result while handling
486     /// an error.
487     ///
488     /// # Examples
489     ///
490     /// ```
491     /// fn stringify(x: u32) -> String { format!("error code: {}", x) }
492     ///
493     /// let x: Result<u32, u32> = Ok(2);
494     /// assert_eq!(x.map_err(stringify), Ok(2));
495     ///
496     /// let x: Result<u32, u32> = Err(13);
497     /// assert_eq!(x.map_err(stringify), Err("error code: 13".to_string()));
498     /// ```
499     #[inline]
500     #[stable(feature = "rust1", since = "1.0.0")]
501     pub fn map_err<F, O: FnOnce(E) -> F>(self, op: O) -> Result<T,F> {
502         match self {
503             Ok(t) => Ok(t),
504             Err(e) => Err(op(e))
505         }
506     }
507
508     /////////////////////////////////////////////////////////////////////////
509     // Iterator constructors
510     /////////////////////////////////////////////////////////////////////////
511
512     /// Returns an iterator over the possibly contained value.
513     ///
514     /// # Examples
515     ///
516     /// ```
517     /// let x: Result<u32, &str> = Ok(7);
518     /// assert_eq!(x.iter().next(), Some(&7));
519     ///
520     /// let x: Result<u32, &str> = Err("nothing!");
521     /// assert_eq!(x.iter().next(), None);
522     /// ```
523     #[inline]
524     #[stable(feature = "rust1", since = "1.0.0")]
525     pub fn iter(&self) -> Iter<T> {
526         Iter { inner: self.as_ref().ok() }
527     }
528
529     /// Returns a mutable iterator over the possibly contained value.
530     ///
531     /// # Examples
532     ///
533     /// ```
534     /// let mut x: Result<u32, &str> = Ok(7);
535     /// match x.iter_mut().next() {
536     ///     Some(&mut ref mut x) => *x = 40,
537     ///     None => {},
538     /// }
539     /// assert_eq!(x, Ok(40));
540     ///
541     /// let mut x: Result<u32, &str> = Err("nothing!");
542     /// assert_eq!(x.iter_mut().next(), None);
543     /// ```
544     #[inline]
545     #[stable(feature = "rust1", since = "1.0.0")]
546     pub fn iter_mut(&mut self) -> IterMut<T> {
547         IterMut { inner: self.as_mut().ok() }
548     }
549
550     ////////////////////////////////////////////////////////////////////////
551     // Boolean operations on the values, eager and lazy
552     /////////////////////////////////////////////////////////////////////////
553
554     /// Returns `res` if the result is `Ok`, otherwise returns the `Err` value of `self`.
555     ///
556     /// # Examples
557     ///
558     /// ```
559     /// let x: Result<u32, &str> = Ok(2);
560     /// let y: Result<&str, &str> = Err("late error");
561     /// assert_eq!(x.and(y), Err("late error"));
562     ///
563     /// let x: Result<u32, &str> = Err("early error");
564     /// let y: Result<&str, &str> = Ok("foo");
565     /// assert_eq!(x.and(y), Err("early error"));
566     ///
567     /// let x: Result<u32, &str> = Err("not a 2");
568     /// let y: Result<&str, &str> = Err("late error");
569     /// assert_eq!(x.and(y), Err("not a 2"));
570     ///
571     /// let x: Result<u32, &str> = Ok(2);
572     /// let y: Result<&str, &str> = Ok("different result type");
573     /// assert_eq!(x.and(y), Ok("different result type"));
574     /// ```
575     #[inline]
576     #[stable(feature = "rust1", since = "1.0.0")]
577     pub fn and<U>(self, res: Result<U, E>) -> Result<U, E> {
578         match self {
579             Ok(_) => res,
580             Err(e) => Err(e),
581         }
582     }
583
584     /// Calls `op` if the result is `Ok`, otherwise returns the `Err` value of `self`.
585     ///
586     /// This function can be used for control flow based on result values.
587     ///
588     /// # Examples
589     ///
590     /// ```
591     /// fn sq(x: u32) -> Result<u32, u32> { Ok(x * x) }
592     /// fn err(x: u32) -> Result<u32, u32> { Err(x) }
593     ///
594     /// assert_eq!(Ok(2).and_then(sq).and_then(sq), Ok(16));
595     /// assert_eq!(Ok(2).and_then(sq).and_then(err), Err(4));
596     /// assert_eq!(Ok(2).and_then(err).and_then(sq), Err(2));
597     /// assert_eq!(Err(3).and_then(sq).and_then(sq), Err(3));
598     /// ```
599     #[inline]
600     #[stable(feature = "rust1", since = "1.0.0")]
601     pub fn and_then<U, F: FnOnce(T) -> Result<U, E>>(self, op: F) -> Result<U, E> {
602         match self {
603             Ok(t) => op(t),
604             Err(e) => Err(e),
605         }
606     }
607
608     /// Returns `res` if the result is `Err`, otherwise returns the `Ok` value of `self`.
609     ///
610     /// # Examples
611     ///
612     /// ```
613     /// let x: Result<u32, &str> = Ok(2);
614     /// let y: Result<u32, &str> = Err("late error");
615     /// assert_eq!(x.or(y), Ok(2));
616     ///
617     /// let x: Result<u32, &str> = Err("early error");
618     /// let y: Result<u32, &str> = Ok(2);
619     /// assert_eq!(x.or(y), Ok(2));
620     ///
621     /// let x: Result<u32, &str> = Err("not a 2");
622     /// let y: Result<u32, &str> = Err("late error");
623     /// assert_eq!(x.or(y), Err("late error"));
624     ///
625     /// let x: Result<u32, &str> = Ok(2);
626     /// let y: Result<u32, &str> = Ok(100);
627     /// assert_eq!(x.or(y), Ok(2));
628     /// ```
629     #[inline]
630     #[stable(feature = "rust1", since = "1.0.0")]
631     pub fn or<F>(self, res: Result<T, F>) -> Result<T, F> {
632         match self {
633             Ok(v) => Ok(v),
634             Err(_) => res,
635         }
636     }
637
638     /// Calls `op` if the result is `Err`, otherwise returns the `Ok` value of `self`.
639     ///
640     /// This function can be used for control flow based on result values.
641     ///
642     /// # Examples
643     ///
644     /// ```
645     /// fn sq(x: u32) -> Result<u32, u32> { Ok(x * x) }
646     /// fn err(x: u32) -> Result<u32, u32> { Err(x) }
647     ///
648     /// assert_eq!(Ok(2).or_else(sq).or_else(sq), Ok(2));
649     /// assert_eq!(Ok(2).or_else(err).or_else(sq), Ok(2));
650     /// assert_eq!(Err(3).or_else(sq).or_else(err), Ok(9));
651     /// assert_eq!(Err(3).or_else(err).or_else(err), Err(3));
652     /// ```
653     #[inline]
654     #[stable(feature = "rust1", since = "1.0.0")]
655     pub fn or_else<F, O: FnOnce(E) -> Result<T, F>>(self, op: O) -> Result<T, F> {
656         match self {
657             Ok(t) => Ok(t),
658             Err(e) => op(e),
659         }
660     }
661
662     /// Unwraps a result, yielding the content of an `Ok`.
663     /// Else it returns `optb`.
664     ///
665     /// # Examples
666     ///
667     /// ```
668     /// let optb = 2;
669     /// let x: Result<u32, &str> = Ok(9);
670     /// assert_eq!(x.unwrap_or(optb), 9);
671     ///
672     /// let x: Result<u32, &str> = Err("error");
673     /// assert_eq!(x.unwrap_or(optb), optb);
674     /// ```
675     #[inline]
676     #[stable(feature = "rust1", since = "1.0.0")]
677     pub fn unwrap_or(self, optb: T) -> T {
678         match self {
679             Ok(t) => t,
680             Err(_) => optb
681         }
682     }
683
684     /// Unwraps a result, yielding the content of an `Ok`.
685     /// If the value is an `Err` then it calls `op` with its value.
686     ///
687     /// # Examples
688     ///
689     /// ```
690     /// fn count(x: &str) -> usize { x.len() }
691     ///
692     /// assert_eq!(Ok(2).unwrap_or_else(count), 2);
693     /// assert_eq!(Err("foo").unwrap_or_else(count), 3);
694     /// ```
695     #[inline]
696     #[stable(feature = "rust1", since = "1.0.0")]
697     pub fn unwrap_or_else<F: FnOnce(E) -> T>(self, op: F) -> T {
698         match self {
699             Ok(t) => t,
700             Err(e) => op(e)
701         }
702     }
703 }
704
705 #[stable(feature = "rust1", since = "1.0.0")]
706 impl<T, E: fmt::Debug> Result<T, E> {
707     /// Unwraps a result, yielding the content of an `Ok`.
708     ///
709     /// # Panics
710     ///
711     /// Panics if the value is an `Err`, with a panic message provided by the
712     /// `Err`'s value.
713     ///
714     /// # Examples
715     ///
716     /// ```
717     /// let x: Result<u32, &str> = Ok(2);
718     /// assert_eq!(x.unwrap(), 2);
719     /// ```
720     ///
721     /// ```{.should_panic}
722     /// let x: Result<u32, &str> = Err("emergency failure");
723     /// x.unwrap(); // panics with `emergency failure`
724     /// ```
725     #[inline]
726     #[stable(feature = "rust1", since = "1.0.0")]
727     pub fn unwrap(self) -> T {
728         match self {
729             Ok(t) => t,
730             Err(e) =>
731                 panic!("called `Result::unwrap()` on an `Err` value: {:?}", e)
732         }
733     }
734
735     /// Unwraps a result, yielding the content of an `Ok`.
736     ///
737     /// Panics if the value is an `Err`, with a panic message including the
738     /// passed message, and the content of the `Err`.
739     ///
740     /// # Examples
741     /// ```{.should_panic}
742     /// #![feature(result_expect)]
743     /// let x: Result<u32, &str> = Err("emergency failure");
744     /// x.expect("Testing expect"); // panics with `Testing expect: emergency failure`
745     /// ```
746     #[inline]
747     #[unstable(feature = "result_expect", reason = "newly introduced")]
748     pub fn expect(self, msg: &str) -> T {
749         match self {
750             Ok(t) => t,
751             Err(e) => panic!("{}: {:?}", msg, e),
752         }
753     }
754 }
755
756 #[stable(feature = "rust1", since = "1.0.0")]
757 impl<T: fmt::Debug, E> Result<T, E> {
758     /// Unwraps a result, yielding the content of an `Err`.
759     ///
760     /// # Panics
761     ///
762     /// Panics if the value is an `Ok`, with a custom panic message provided
763     /// by the `Ok`'s value.
764     ///
765     /// # Examples
766     ///
767     /// ```{.should_panic}
768     /// let x: Result<u32, &str> = Ok(2);
769     /// x.unwrap_err(); // panics with `2`
770     /// ```
771     ///
772     /// ```
773     /// let x: Result<u32, &str> = Err("emergency failure");
774     /// assert_eq!(x.unwrap_err(), "emergency failure");
775     /// ```
776     #[inline]
777     #[stable(feature = "rust1", since = "1.0.0")]
778     pub fn unwrap_err(self) -> E {
779         match self {
780             Ok(t) =>
781                 panic!("called `Result::unwrap_err()` on an `Ok` value: {:?}", t),
782             Err(e) => e
783         }
784     }
785 }
786
787 /////////////////////////////////////////////////////////////////////////////
788 // Trait implementations
789 /////////////////////////////////////////////////////////////////////////////
790
791 #[stable(feature = "rust1", since = "1.0.0")]
792 impl<T, E> IntoIterator for Result<T, E> {
793     type Item = T;
794     type IntoIter = IntoIter<T>;
795
796     /// Returns a consuming iterator over the possibly contained value.
797     ///
798     /// # Examples
799     ///
800     /// ```
801     /// let x: Result<u32, &str> = Ok(5);
802     /// let v: Vec<u32> = x.into_iter().collect();
803     /// assert_eq!(v, [5]);
804     ///
805     /// let x: Result<u32, &str> = Err("nothing!");
806     /// let v: Vec<u32> = x.into_iter().collect();
807     /// assert_eq!(v, []);
808     /// ```
809     #[inline]
810     fn into_iter(self) -> IntoIter<T> {
811         IntoIter { inner: self.ok() }
812     }
813 }
814
815 /////////////////////////////////////////////////////////////////////////////
816 // The Result Iterators
817 /////////////////////////////////////////////////////////////////////////////
818
819 /// An iterator over a reference to the `Ok` variant of a `Result`.
820 #[stable(feature = "rust1", since = "1.0.0")]
821 pub struct Iter<'a, T: 'a> { inner: Option<&'a T> }
822
823 #[stable(feature = "rust1", since = "1.0.0")]
824 impl<'a, T> Iterator for Iter<'a, T> {
825     type Item = &'a T;
826
827     #[inline]
828     fn next(&mut self) -> Option<&'a T> { self.inner.take() }
829     #[inline]
830     fn size_hint(&self) -> (usize, Option<usize>) {
831         let n = if self.inner.is_some() {1} else {0};
832         (n, Some(n))
833     }
834 }
835
836 #[stable(feature = "rust1", since = "1.0.0")]
837 impl<'a, T> DoubleEndedIterator for Iter<'a, T> {
838     #[inline]
839     fn next_back(&mut self) -> Option<&'a T> { self.inner.take() }
840 }
841
842 #[stable(feature = "rust1", since = "1.0.0")]
843 impl<'a, T> ExactSizeIterator for Iter<'a, T> {}
844
845 impl<'a, T> Clone for Iter<'a, T> {
846     fn clone(&self) -> Iter<'a, T> { Iter { inner: self.inner } }
847 }
848
849 /// An iterator over a mutable reference to the `Ok` variant of a `Result`.
850 #[stable(feature = "rust1", since = "1.0.0")]
851 pub struct IterMut<'a, T: 'a> { inner: Option<&'a mut T> }
852
853 #[stable(feature = "rust1", since = "1.0.0")]
854 impl<'a, T> Iterator for IterMut<'a, T> {
855     type Item = &'a mut T;
856
857     #[inline]
858     fn next(&mut self) -> Option<&'a mut T> { self.inner.take() }
859     #[inline]
860     fn size_hint(&self) -> (usize, Option<usize>) {
861         let n = if self.inner.is_some() {1} else {0};
862         (n, Some(n))
863     }
864 }
865
866 #[stable(feature = "rust1", since = "1.0.0")]
867 impl<'a, T> DoubleEndedIterator for IterMut<'a, T> {
868     #[inline]
869     fn next_back(&mut self) -> Option<&'a mut T> { self.inner.take() }
870 }
871
872 #[stable(feature = "rust1", since = "1.0.0")]
873 impl<'a, T> ExactSizeIterator for IterMut<'a, T> {}
874
875 /// An iterator over the value in a `Ok` variant of a `Result`.
876 #[stable(feature = "rust1", since = "1.0.0")]
877 pub struct IntoIter<T> { inner: Option<T> }
878
879 #[stable(feature = "rust1", since = "1.0.0")]
880 impl<T> Iterator for IntoIter<T> {
881     type Item = T;
882
883     #[inline]
884     fn next(&mut self) -> Option<T> { self.inner.take() }
885     #[inline]
886     fn size_hint(&self) -> (usize, Option<usize>) {
887         let n = if self.inner.is_some() {1} else {0};
888         (n, Some(n))
889     }
890 }
891
892 #[stable(feature = "rust1", since = "1.0.0")]
893 impl<T> DoubleEndedIterator for IntoIter<T> {
894     #[inline]
895     fn next_back(&mut self) -> Option<T> { self.inner.take() }
896 }
897
898 #[stable(feature = "rust1", since = "1.0.0")]
899 impl<T> ExactSizeIterator for IntoIter<T> {}
900
901 /////////////////////////////////////////////////////////////////////////////
902 // FromIterator
903 /////////////////////////////////////////////////////////////////////////////
904
905 #[stable(feature = "rust1", since = "1.0.0")]
906 impl<A, E, V: FromIterator<A>> FromIterator<Result<A, E>> for Result<V, E> {
907     /// Takes each element in the `Iterator`: if it is an `Err`, no further
908     /// elements are taken, and the `Err` is returned. Should no `Err` occur, a
909     /// container with the values of each `Result` is returned.
910     ///
911     /// Here is an example which increments every integer in a vector,
912     /// checking for overflow:
913     ///
914     /// ```
915     /// use std::u32;
916     ///
917     /// let v = vec!(1, 2);
918     /// let res: Result<Vec<u32>, &'static str> = v.iter().map(|&x: &u32|
919     ///     if x == u32::MAX { Err("Overflow!") }
920     ///     else { Ok(x + 1) }
921     /// ).collect();
922     /// assert!(res == Ok(vec!(2, 3)));
923     /// ```
924     #[inline]
925     fn from_iter<I: IntoIterator<Item=Result<A, E>>>(iter: I) -> Result<V, E> {
926         // FIXME(#11084): This could be replaced with Iterator::scan when this
927         // performance bug is closed.
928
929         struct Adapter<Iter, E> {
930             iter: Iter,
931             err: Option<E>,
932         }
933
934         impl<T, E, Iter: Iterator<Item=Result<T, E>>> Iterator for Adapter<Iter, E> {
935             type Item = T;
936
937             #[inline]
938             fn next(&mut self) -> Option<T> {
939                 match self.iter.next() {
940                     Some(Ok(value)) => Some(value),
941                     Some(Err(err)) => {
942                         self.err = Some(err);
943                         None
944                     }
945                     None => None,
946                 }
947             }
948         }
949
950         let mut adapter = Adapter { iter: iter.into_iter(), err: None };
951         let v: V = FromIterator::from_iter(adapter.by_ref());
952
953         match adapter.err {
954             Some(err) => Err(err),
955             None => Ok(v),
956         }
957     }
958 }
959
960 /////////////////////////////////////////////////////////////////////////////
961 // FromIterator
962 /////////////////////////////////////////////////////////////////////////////
963
964 /// Performs a fold operation over the result values from an iterator.
965 ///
966 /// If an `Err` is encountered, it is immediately returned.
967 /// Otherwise, the folded value is returned.
968 #[inline]
969 #[unstable(feature = "result_fold",
970            reason = "unclear if this function should exist")]
971 pub fn fold<T,
972             V,
973             E,
974             F: FnMut(V, T) -> V,
975             Iter: Iterator<Item=Result<T, E>>>(
976             iterator: Iter,
977             mut init: V,
978             mut f: F)
979             -> Result<V, E> {
980     for t in iterator {
981         match t {
982             Ok(v) => init = f(init, v),
983             Err(u) => return Err(u)
984         }
985     }
986     Ok(init)
987 }