rollup merge of #20306: alexcrichton/second-pass-string

This commit performs a second pass over the `std::string` module, performing the
following actions:

* The name `std::string` is now stable.
* The `String::from_utf8` function is now stable after having been altered to
  return a new `FromUtf8Error` structure. The `FromUtf8Error` structure is now
  stable as well as its `into_bytes` and `utf8_error` methods.
* The `String::from_utf8_lossy` function is now stable.
* The `String::from_chars` method is now deprecated in favor of `.collect()`
* The `String::from_raw_parts` method is now stable
* The `String::from_str` function remains experimental
* The `String::from_raw_buf` function remains experimental
* The `String::from_raw_buf_len` function remains experimental
* The `String::from_utf8_unchecked` function is now stable
* The `String::from_char` function is now deprecated in favor of
  `repeat(c).take(n).collect()`
* The `String::grow` function is now deprecated in favor of
  `.extend(repeat(c).take(n)`
* The `String::capacity` method is now stable
* The `String::reserve` method is now stable
* The `String::reserve_exact` method is now stable
* The `String::shrink_to_fit` method is now stable
* The `String::pop` method is now stable
* The `String::as_mut_vec` method is now stable
* The `String::is_empty` method is now stable
* The `IntoString` trait is now deprecated (there are no implementors)
* The `String::truncate` method is now stable
* The `String::insert` method is now stable
* The `String::remove` method is now stable
* The `String::push` method is now stable
* The `String::push_str` method is now stable
* The `String::from_utf16` function is now stable after its error type has now
  become an opaque structure to carry more semantic information in the future.

A number of these changes are breaking changes, but the migrations should be
fairly straightforward on a case-by-case basis (outlined above where possible).

[breaking-change]
This commit is contained in:
Alex Crichton 2014-12-29 16:36:52 -08:00
commit 79db01a30d
6 changed files with 124 additions and 73 deletions

View File

@ -89,8 +89,6 @@ pub use unicode::str::{Words, Graphemes, GraphemeIndices};
pub use core::str::{Split, SplitTerminator}; pub use core::str::{Split, SplitTerminator};
pub use core::str::{SplitN, RSplitN}; pub use core::str::{SplitN, RSplitN};
// FIXME(conventions): ensure bit/char conventions are followed by str's API
/* /*
Section: Creating a string Section: Creating a string
*/ */

View File

@ -12,6 +12,8 @@
//! An owned, growable string that enforces that its contents are valid UTF-8. //! An owned, growable string that enforces that its contents are valid UTF-8.
#![stable]
use core::prelude::*; use core::prelude::*;
use core::borrow::{Cow, IntoCow}; use core::borrow::{Cow, IntoCow};
@ -36,6 +38,18 @@ pub struct String {
vec: Vec<u8>, vec: Vec<u8>,
} }
/// A possible error value from the `String::from_utf8` function.
#[stable]
pub struct FromUtf8Error {
bytes: Vec<u8>,
error: Utf8Error,
}
/// A possible error value from the `String::from_utf16` function.
#[stable]
#[allow(missing_copy_implementations)]
pub struct FromUtf16Error(());
impl String { impl String {
/// Creates a new string buffer initialized with the empty string. /// Creates a new string buffer initialized with the empty string.
/// ///
@ -98,19 +112,20 @@ impl String {
/// use std::str::Utf8Error; /// use std::str::Utf8Error;
/// ///
/// let hello_vec = vec![104, 101, 108, 108, 111]; /// let hello_vec = vec![104, 101, 108, 108, 111];
/// let s = String::from_utf8(hello_vec); /// let s = String::from_utf8(hello_vec).unwrap();
/// assert_eq!(s, Ok("hello".to_string())); /// assert_eq!(s, "hello");
/// ///
/// let invalid_vec = vec![240, 144, 128]; /// let invalid_vec = vec![240, 144, 128];
/// let s = String::from_utf8(invalid_vec); /// let s = String::from_utf8(invalid_vec).err().unwrap();
/// assert_eq!(s, Err((vec![240, 144, 128], Utf8Error::TooShort))); /// assert_eq!(s.utf8_error(), Utf8Error::TooShort);
/// assert_eq!(s.into_bytes(), vec![240, 144, 128]);
/// ``` /// ```
#[inline] #[inline]
#[unstable = "error type may change"] #[stable]
pub fn from_utf8(vec: Vec<u8>) -> Result<String, (Vec<u8>, Utf8Error)> { pub fn from_utf8(vec: Vec<u8>) -> Result<String, FromUtf8Error> {
match str::from_utf8(vec.as_slice()) { match str::from_utf8(vec.as_slice()) {
Ok(..) => Ok(String { vec: vec }), Ok(..) => Ok(String { vec: vec }),
Err(e) => Err((vec, e)) Err(e) => Err(FromUtf8Error { bytes: vec, error: e })
} }
} }
@ -124,7 +139,7 @@ impl String {
/// let output = String::from_utf8_lossy(input); /// let output = String::from_utf8_lossy(input);
/// assert_eq!(output.as_slice(), "Hello \u{FFFD}World"); /// assert_eq!(output.as_slice(), "Hello \u{FFFD}World");
/// ``` /// ```
#[unstable = "return type may change"] #[stable]
pub fn from_utf8_lossy<'a>(v: &'a [u8]) -> CowString<'a> { pub fn from_utf8_lossy<'a>(v: &'a [u8]) -> CowString<'a> {
match str::from_utf8(v) { match str::from_utf8(v) {
Ok(s) => return Cow::Borrowed(s), Ok(s) => return Cow::Borrowed(s),
@ -251,22 +266,23 @@ impl String {
/// // 𝄞music /// // 𝄞music
/// let mut v = &mut [0xD834, 0xDD1E, 0x006d, 0x0075, /// let mut v = &mut [0xD834, 0xDD1E, 0x006d, 0x0075,
/// 0x0073, 0x0069, 0x0063]; /// 0x0073, 0x0069, 0x0063];
/// assert_eq!(String::from_utf16(v), Some("𝄞music".to_string())); /// assert_eq!(String::from_utf16(v).unwrap(),
/// "𝄞music".to_string());
/// ///
/// // 𝄞mu<invalid>ic /// // 𝄞mu<invalid>ic
/// v[4] = 0xD800; /// v[4] = 0xD800;
/// assert_eq!(String::from_utf16(v), None); /// assert!(String::from_utf16(v).is_err());
/// ``` /// ```
#[unstable = "error value in return may change"] #[stable]
pub fn from_utf16(v: &[u16]) -> Option<String> { pub fn from_utf16(v: &[u16]) -> Result<String, FromUtf16Error> {
let mut s = String::with_capacity(v.len()); let mut s = String::with_capacity(v.len());
for c in unicode_str::utf16_items(v) { for c in unicode_str::utf16_items(v) {
match c { match c {
Utf16Item::ScalarValue(c) => s.push(c), Utf16Item::ScalarValue(c) => s.push(c),
Utf16Item::LoneSurrogate(_) => return None Utf16Item::LoneSurrogate(_) => return Err(FromUtf16Error(())),
} }
} }
Some(s) Ok(s)
} }
/// Decode a UTF-16 encoded vector `v` into a string, replacing /// Decode a UTF-16 encoded vector `v` into a string, replacing
@ -293,12 +309,13 @@ impl String {
/// # Examples /// # Examples
/// ///
/// ```rust /// ```rust
/// # #![allow(deprecated)]
/// let chars = &['h', 'e', 'l', 'l', 'o']; /// let chars = &['h', 'e', 'l', 'l', 'o'];
/// let s = String::from_chars(chars); /// let s = String::from_chars(chars);
/// assert_eq!(s.as_slice(), "hello"); /// assert_eq!(s.as_slice(), "hello");
/// ``` /// ```
#[inline] #[inline]
#[unstable = "may be removed in favor of .collect()"] #[deprecated = "use .collect() instead"]
pub fn from_chars(chs: &[char]) -> String { pub fn from_chars(chs: &[char]) -> String {
chs.iter().map(|c| *c).collect() chs.iter().map(|c| *c).collect()
} }
@ -309,7 +326,7 @@ impl String {
/// * We call `Vec::from_raw_parts` to get a `Vec<u8>`; /// * We call `Vec::from_raw_parts` to get a `Vec<u8>`;
/// * We assume that the `Vec` contains valid UTF-8. /// * We assume that the `Vec` contains valid UTF-8.
#[inline] #[inline]
#[unstable = "function just moved from string::raw"] #[stable]
pub unsafe fn from_raw_parts(buf: *mut u8, length: uint, capacity: uint) -> String { pub unsafe fn from_raw_parts(buf: *mut u8, length: uint, capacity: uint) -> String {
String { String {
vec: Vec::from_raw_parts(buf, length, capacity), vec: Vec::from_raw_parts(buf, length, capacity),
@ -344,7 +361,7 @@ impl String {
/// it contains valid UTF-8. This is unsafe because it assumes that /// it contains valid UTF-8. This is unsafe because it assumes that
/// the UTF-8-ness of the vector has already been validated. /// the UTF-8-ness of the vector has already been validated.
#[inline] #[inline]
#[unstable = "awaiting stabilization"] #[stable]
pub unsafe fn from_utf8_unchecked(bytes: Vec<u8>) -> String { pub unsafe fn from_utf8_unchecked(bytes: Vec<u8>) -> String {
String { vec: bytes } String { vec: bytes }
} }
@ -369,12 +386,12 @@ impl String {
/// # Examples /// # Examples
/// ///
/// ``` /// ```
/// # #![allow(deprecated)]
/// let s = String::from_char(5, 'a'); /// let s = String::from_char(5, 'a');
/// assert_eq!(s.as_slice(), "aaaaa"); /// assert_eq!(s.as_slice(), "aaaaa");
/// ``` /// ```
#[inline] #[inline]
#[unstable = "may be replaced with iterators, questionable usability, and \ #[deprecated = "use repeat(ch).take(length).collect() instead"]
the name may change"]
pub fn from_char(length: uint, ch: char) -> String { pub fn from_char(length: uint, ch: char) -> String {
if length == 0 { if length == 0 {
return String::new() return String::new()
@ -400,7 +417,7 @@ impl String {
/// assert_eq!(s.as_slice(), "foobar"); /// assert_eq!(s.as_slice(), "foobar");
/// ``` /// ```
#[inline] #[inline]
#[unstable = "extra variants of `push`, could possibly be based on iterators"] #[stable]
pub fn push_str(&mut self, string: &str) { pub fn push_str(&mut self, string: &str) {
self.vec.push_all(string.as_bytes()) self.vec.push_all(string.as_bytes())
} }
@ -410,19 +427,21 @@ impl String {
/// # Examples /// # Examples
/// ///
/// ``` /// ```
/// # #![allow(deprecated)]
/// let mut s = String::from_str("foo"); /// let mut s = String::from_str("foo");
/// s.grow(5, 'Z'); /// s.grow(5, 'Z');
/// assert_eq!(s.as_slice(), "fooZZZZZ"); /// assert_eq!(s.as_slice(), "fooZZZZZ");
/// ``` /// ```
#[inline] #[inline]
#[unstable = "duplicate of iterator-based functionality"] #[deprecated = "deprecated in favor of .extend(repeat(ch).take(count))"]
pub fn grow(&mut self, count: uint, ch: char) { pub fn grow(&mut self, count: uint, ch: char) {
for _ in range(0, count) { for _ in range(0, count) {
self.push(ch) self.push(ch)
} }
} }
/// Returns the number of bytes that this string buffer can hold without reallocating. /// Returns the number of bytes that this string buffer can hold without
/// reallocating.
/// ///
/// # Examples /// # Examples
/// ///
@ -431,7 +450,7 @@ impl String {
/// assert!(s.capacity() >= 10); /// assert!(s.capacity() >= 10);
/// ``` /// ```
#[inline] #[inline]
#[unstable = "matches collection reform specification, waiting for dust to settle"] #[stable]
pub fn capacity(&self) -> uint { pub fn capacity(&self) -> uint {
self.vec.capacity() self.vec.capacity()
} }
@ -442,8 +461,9 @@ impl String {
self.vec.reserve(extra) self.vec.reserve(extra)
} }
/// Reserves capacity for at least `additional` more bytes to be inserted in the given /// Reserves capacity for at least `additional` more bytes to be inserted
/// `String`. The collection may reserve more space to avoid frequent reallocations. /// in the given `String`. The collection may reserve more space to avoid
/// frequent reallocations.
/// ///
/// # Panics /// # Panics
/// ///
@ -457,17 +477,18 @@ impl String {
/// assert!(s.capacity() >= 10); /// assert!(s.capacity() >= 10);
/// ``` /// ```
#[inline] #[inline]
#[unstable = "matches collection reform specification, waiting for dust to settle"] #[stable]
pub fn reserve(&mut self, additional: uint) { pub fn reserve(&mut self, additional: uint) {
self.vec.reserve(additional) self.vec.reserve(additional)
} }
/// Reserves the minimum capacity for exactly `additional` more bytes to be inserted in the /// Reserves the minimum capacity for exactly `additional` more bytes to be
/// given `String`. Does nothing if the capacity is already sufficient. /// inserted in the given `String`. Does nothing if the capacity is already
/// sufficient.
/// ///
/// Note that the allocator may give the collection more space than it requests. Therefore /// Note that the allocator may give the collection more space than it
/// capacity can not be relied upon to be precisely minimal. Prefer `reserve` if future /// requests. Therefore capacity can not be relied upon to be precisely
/// insertions are expected. /// minimal. Prefer `reserve` if future insertions are expected.
/// ///
/// # Panics /// # Panics
/// ///
@ -481,7 +502,7 @@ impl String {
/// assert!(s.capacity() >= 10); /// assert!(s.capacity() >= 10);
/// ``` /// ```
#[inline] #[inline]
#[unstable = "matches collection reform specification, waiting for dust to settle"] #[stable]
pub fn reserve_exact(&mut self, additional: uint) { pub fn reserve_exact(&mut self, additional: uint) {
self.vec.reserve_exact(additional) self.vec.reserve_exact(additional)
} }
@ -498,7 +519,7 @@ impl String {
/// assert_eq!(s.capacity(), 3); /// assert_eq!(s.capacity(), 3);
/// ``` /// ```
#[inline] #[inline]
#[unstable = "matches collection reform specification, waiting for dust to settle"] #[stable]
pub fn shrink_to_fit(&mut self) { pub fn shrink_to_fit(&mut self) {
self.vec.shrink_to_fit() self.vec.shrink_to_fit()
} }
@ -515,7 +536,7 @@ impl String {
/// assert_eq!(s.as_slice(), "abc123"); /// assert_eq!(s.as_slice(), "abc123");
/// ``` /// ```
#[inline] #[inline]
#[stable = "function just renamed from push_char"] #[stable]
pub fn push(&mut self, ch: char) { pub fn push(&mut self, ch: char) {
if (ch as u32) < 0x80 { if (ch as u32) < 0x80 {
self.vec.push(ch as u8); self.vec.push(ch as u8);
@ -568,7 +589,7 @@ impl String {
/// assert_eq!(s.as_slice(), "he"); /// assert_eq!(s.as_slice(), "he");
/// ``` /// ```
#[inline] #[inline]
#[unstable = "the panic conventions for strings are under development"] #[stable]
pub fn truncate(&mut self, new_len: uint) { pub fn truncate(&mut self, new_len: uint) {
assert!(self.is_char_boundary(new_len)); assert!(self.is_char_boundary(new_len));
self.vec.truncate(new_len) self.vec.truncate(new_len)
@ -587,7 +608,7 @@ impl String {
/// assert_eq!(s.pop(), None); /// assert_eq!(s.pop(), None);
/// ``` /// ```
#[inline] #[inline]
#[unstable = "this function was just renamed from pop_char"] #[stable]
pub fn pop(&mut self) -> Option<char> { pub fn pop(&mut self) -> Option<char> {
let len = self.len(); let len = self.len();
if len == 0 { if len == 0 {
@ -602,7 +623,7 @@ impl String {
} }
/// Removes the character from the string buffer at byte position `idx` and /// Removes the character from the string buffer at byte position `idx` and
/// returns it. Returns `None` if `idx` is out of bounds. /// returns it.
/// ///
/// # Warning /// # Warning
/// ///
@ -611,23 +632,21 @@ impl String {
/// ///
/// # Panics /// # Panics
/// ///
/// If `idx` does not lie on a character boundary, then this function will /// If `idx` does not lie on a character boundary, or if it is out of
/// panic. /// bounds, then this function will panic.
/// ///
/// # Examples /// # Examples
/// ///
/// ``` /// ```
/// let mut s = String::from_str("foo"); /// let mut s = String::from_str("foo");
/// assert_eq!(s.remove(0), Some('f')); /// assert_eq!(s.remove(0), 'f');
/// assert_eq!(s.remove(1), Some('o')); /// assert_eq!(s.remove(1), 'o');
/// assert_eq!(s.remove(0), Some('o')); /// assert_eq!(s.remove(0), 'o');
/// assert_eq!(s.remove(0), None);
/// ``` /// ```
#[unstable = "the panic semantics of this function and return type \ #[stable]
may change"] pub fn remove(&mut self, idx: uint) -> char {
pub fn remove(&mut self, idx: uint) -> Option<char> {
let len = self.len(); let len = self.len();
if idx >= len { return None } assert!(idx <= len);
let CharRange { ch, next } = self.char_range_at(idx); let CharRange { ch, next } = self.char_range_at(idx);
unsafe { unsafe {
@ -636,7 +655,7 @@ impl String {
len - next); len - next);
self.vec.set_len(len - (next - idx)); self.vec.set_len(len - (next - idx));
} }
Some(ch) ch
} }
/// Insert a character into the string buffer at byte position `idx`. /// Insert a character into the string buffer at byte position `idx`.
@ -650,7 +669,7 @@ impl String {
/// ///
/// If `idx` does not lie on a character boundary or is out of bounds, then /// If `idx` does not lie on a character boundary or is out of bounds, then
/// this function will panic. /// this function will panic.
#[unstable = "the panic semantics of this function are uncertain"] #[stable]
pub fn insert(&mut self, idx: uint, ch: char) { pub fn insert(&mut self, idx: uint, ch: char) {
let len = self.len(); let len = self.len();
assert!(idx <= len); assert!(idx <= len);
@ -686,7 +705,7 @@ impl String {
/// } /// }
/// assert_eq!(s.as_slice(), "olleh"); /// assert_eq!(s.as_slice(), "olleh");
/// ``` /// ```
#[unstable = "the name of this method may be changed"] #[stable]
pub unsafe fn as_mut_vec<'a>(&'a mut self) -> &'a mut Vec<u8> { pub unsafe fn as_mut_vec<'a>(&'a mut self) -> &'a mut Vec<u8> {
&mut self.vec &mut self.vec
} }
@ -713,6 +732,7 @@ impl String {
/// v.push('a'); /// v.push('a');
/// assert!(!v.is_empty()); /// assert!(!v.is_empty());
/// ``` /// ```
#[stable]
pub fn is_empty(&self) -> bool { self.len() == 0 } pub fn is_empty(&self) -> bool { self.len() == 0 }
/// Truncates the string, returning it to 0 length. /// Truncates the string, returning it to 0 length.
@ -731,6 +751,29 @@ impl String {
} }
} }
impl FromUtf8Error {
/// Consume this error, returning the bytes that were attempted to make a
/// `String` with.
#[stable]
pub fn into_bytes(self) -> Vec<u8> { self.bytes }
/// Access the underlying UTF8-error that was the cause of this error.
#[stable]
pub fn utf8_error(&self) -> Utf8Error { self.error }
}
impl fmt::Show for FromUtf8Error {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
self.error.fmt(f)
}
}
impl fmt::Show for FromUtf16Error {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
"invalid utf-16: lone surrogate found".fmt(f)
}
}
#[experimental = "waiting on FromIterator stabilization"] #[experimental = "waiting on FromIterator stabilization"]
impl FromIterator<char> for String { impl FromIterator<char> for String {
fn from_iter<I:Iterator<char>>(iterator: I) -> String { fn from_iter<I:Iterator<char>>(iterator: I) -> String {
@ -933,6 +976,7 @@ impl FromStr for String {
} }
/// Trait for converting a type to a string, consuming it in the process. /// Trait for converting a type to a string, consuming it in the process.
#[deprecated = "trait will be removed"]
pub trait IntoString { pub trait IntoString {
/// Consume and convert to a string. /// Consume and convert to a string.
fn into_string(self) -> String; fn into_string(self) -> String;
@ -1057,16 +1101,17 @@ mod tests {
#[test] #[test]
fn test_from_utf8() { fn test_from_utf8() {
let xs = b"hello".to_vec(); let xs = b"hello".to_vec();
assert_eq!(String::from_utf8(xs), assert_eq!(String::from_utf8(xs).unwrap(),
Ok(String::from_str("hello"))); String::from_str("hello"));
let xs = "ศไทย中华Việt Nam".as_bytes().to_vec(); let xs = "ศไทย中华Việt Nam".as_bytes().to_vec();
assert_eq!(String::from_utf8(xs), assert_eq!(String::from_utf8(xs).unwrap(),
Ok(String::from_str("ศไทย中华Việt Nam"))); String::from_str("ศไทย中华Việt Nam"));
let xs = b"hello\xFF".to_vec(); let xs = b"hello\xFF".to_vec();
assert_eq!(String::from_utf8(xs), let err = String::from_utf8(xs).err().unwrap();
Err((b"hello\xFF".to_vec(), Utf8Error::TooShort))); assert_eq!(err.utf8_error(), Utf8Error::TooShort);
assert_eq!(err.into_bytes(), b"hello\xff".to_vec());
} }
#[test] #[test]
@ -1171,15 +1216,15 @@ mod tests {
fn test_utf16_invalid() { fn test_utf16_invalid() {
// completely positive cases tested above. // completely positive cases tested above.
// lead + eof // lead + eof
assert_eq!(String::from_utf16(&[0xD800]), None); assert!(String::from_utf16(&[0xD800]).is_err());
// lead + lead // lead + lead
assert_eq!(String::from_utf16(&[0xD800, 0xD800]), None); assert!(String::from_utf16(&[0xD800, 0xD800]).is_err());
// isolated trail // isolated trail
assert_eq!(String::from_utf16(&[0x0061, 0xDC00]), None); assert!(String::from_utf16(&[0x0061, 0xDC00]).is_err());
// general // general
assert_eq!(String::from_utf16(&[0xD800, 0xd801, 0xdc8b, 0xD800]), None); assert!(String::from_utf16(&[0xD800, 0xd801, 0xdc8b, 0xD800]).is_err());
} }
#[test] #[test]
@ -1312,12 +1357,10 @@ mod tests {
#[test] #[test]
fn remove() { fn remove() {
let mut s = "ศไทย中华Việt Nam; foobar".to_string();; let mut s = "ศไทย中华Việt Nam; foobar".to_string();;
assert_eq!(s.remove(0), Some('ศ')); assert_eq!(s.remove(0), 'ศ');
assert_eq!(s.len(), 33); assert_eq!(s.len(), 33);
assert_eq!(s, "ไทย中华Việt Nam; foobar"); assert_eq!(s, "ไทย中华Việt Nam; foobar");
assert_eq!(s.remove(33), None); assert_eq!(s.remove(17), 'ệ');
assert_eq!(s.remove(300), None);
assert_eq!(s.remove(17), Some('ệ'));
assert_eq!(s, "ไทย中华Vit Nam; foobar"); assert_eq!(s, "ไทย中华Vit Nam; foobar");
} }

View File

@ -519,8 +519,8 @@ impl<'a> Parser<'a> {
}; };
self.chari = closer; self.chari = closer;
let greed = try!(self.get_next_greedy()); let greed = try!(self.get_next_greedy());
let inner = String::from_chars( let inner = self.chars[start+1..closer].iter().cloned()
self.chars[start+1..closer]); .collect::<String>();
// Parse the min and max values from the regex. // Parse the min and max values from the regex.
let (mut min, mut max): (uint, Option<uint>); let (mut min, mut max): (uint, Option<uint>);
@ -954,7 +954,7 @@ impl<'a> Parser<'a> {
} }
fn slice(&self, start: uint, end: uint) -> String { fn slice(&self, start: uint, end: uint) -> String {
String::from_chars(self.chars[start..end]) self.chars[start..end].iter().cloned().collect()
} }
} }

View File

@ -25,7 +25,7 @@ use middle::ty::*;
use middle::ty; use middle::ty;
use std::fmt; use std::fmt;
use std::iter::AdditiveIterator; use std::iter::AdditiveIterator;
use std::iter::range_inclusive; use std::iter::{range_inclusive, repeat};
use std::num::Float; use std::num::Float;
use std::slice; use std::slice;
use syntax::ast::{mod, DUMMY_NODE_ID, NodeId, Pat}; use syntax::ast::{mod, DUMMY_NODE_ID, NodeId, Pat};
@ -76,7 +76,7 @@ impl<'a> fmt::Show for Matrix<'a> {
}).collect(); }).collect();
let total_width = column_widths.iter().map(|n| *n).sum() + column_count * 3 + 1; let total_width = column_widths.iter().map(|n| *n).sum() + column_count * 3 + 1;
let br = String::from_char(total_width, '+'); let br = repeat('+').take(total_width).collect::<String>();
try!(write!(f, "{}\n", br)); try!(write!(f, "{}\n", br));
for row in pretty_printed_matrix.into_iter() { for row in pretty_printed_matrix.into_iter() {
try!(write!(f, "+")); try!(write!(f, "+"));

View File

@ -81,6 +81,7 @@
use prelude::*; use prelude::*;
use str::Utf8Error; use str::Utf8Error;
use string::{FromUtf8Error, FromUtf16Error};
/// Base functionality for all errors in Rust. /// Base functionality for all errors in Rust.
pub trait Error: Send { pub trait Error: Send {
@ -117,3 +118,12 @@ impl Error for Utf8Error {
fn detail(&self) -> Option<String> { Some(self.to_string()) } fn detail(&self) -> Option<String> { Some(self.to_string()) }
} }
impl Error for FromUtf8Error {
fn description(&self) -> &str { "invalid utf-8" }
fn detail(&self) -> Option<String> { Some(self.to_string()) }
}
impl Error for FromUtf16Error {
fn description(&self) -> &str { "invalid utf-16" }
}

View File

@ -21,7 +21,7 @@ use cmp::{PartialEq, Eq, PartialOrd, Ord, Ordering};
use hash; use hash;
use io::Writer; use io::Writer;
use iter::{AdditiveIterator, DoubleEndedIteratorExt, Extend}; use iter::{AdditiveIterator, DoubleEndedIteratorExt, Extend};
use iter::{Iterator, IteratorExt, Map}; use iter::{Iterator, IteratorExt, Map, repeat};
use mem; use mem;
use option::Option; use option::Option;
use option::Option::{Some, None}; use option::Option::{Some, None};
@ -777,7 +777,7 @@ impl Path {
} }
} }
} else if is_abs && comps.is_empty() { } else if is_abs && comps.is_empty() {
Some(String::from_char(1, SEP)) Some(repeat(SEP).take(1).collect())
} else { } else {
let prefix_ = s[0..prefix_len(prefix)]; let prefix_ = s[0..prefix_len(prefix)];
let n = prefix_.len() + let n = prefix_.len() +