通过例子学习Rust

37 Vectors

Vectors are re-sizable arrays, like slices their size is not known at compile time, but they can grow or shrink at anytime. A vector is represented using 3 words: a pointer to the data, its length and its capacity. The capacity indicates how much memory is reserved for the vector, the vector can grow as long as the length is smaller than the capacity, when this threshold needs to be surpassed, the vector gets reallocated with a bigger capacity.

fn main() { // Iterators can be collected into vectors let collected_iterator: Vec<int> = range(0i, 10).collect(); println!("Collected range(0, 10) into: {}", collected_iterator); // The `vec!` macro can be used to initialize a vector let mut xs = vec![1i, 2, 3]; println!("Initial vector: {}", xs); // Insert new element at the end of the vector println!("Push 4 into the vector"); xs.push(4); println!("Vector: {}", xs); // Error! Immutable vectors can't grow collected_iterator.push(0); // FIXME ^ Comment out this line // The `len` method yields the current size of the vector println!("Vector size: {}", xs.len()); // Indexing is done using the square brackets (indexing starts at 0) println!("Second element: {}", xs[1]); // `pop` removes the last element from the vector and returns it println!("Pop last element: {}", xs.pop()); // Out of bounds indexing yields a task failure println!("Fourth element: {}", xs[3]); }

More Vec methods can be found under the std::vec module