I wasn't able to find the Rust equivalent for the "join" operator over a vector of String
s. I have a Vec<String>
and I'd like to join them as a single String
:
let string_list = vec!["Foo".to_string(),"Bar".to_string()];
let joined = something::join(string_list,"-");
assert_eq!("Foo-Bar", joined);
In Rust 1.3.0 and later, SliceConcatExt::join
is available:
fn main() {
let string_list = vec!["Foo".to_string(),"Bar".to_string()];
let joined = string_list.join("-");
assert_eq!("Foo-Bar", joined);
}
Before 1.3.0 you can use SliceConcatExt::connect
:
let joined = string_list.connect("-");
Note that you do not need any imports as the methods are automatically imported by the standard library prelude.
As mentioned by Wilfred, SliceConcatExt::connect
has been deprecated since version 1.3.0 in favour of SliceConcatExt::join
:
let joined = string_list.join("-");
There is a function from the itertools
crate also called join
which joins an iterator:
extern crate itertools; // 0.7.8
use itertools::free::join;
use std::fmt;
pub struct MyScores {
scores: Vec<i16>,
}
impl fmt::Display for MyScores {
fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
fmt.write_str("MyScores(")?;
fmt.write_str(&join(&self.scores[..], &","))?;
fmt.write_str(")")?;
Ok(())
}
}
fn main() {
let my_scores = MyScores {
scores: vec![12, 23, 34, 45],
};
println!("{}", my_scores); // outputs MyScores(12,23,34,45)
}