测试用例:列表
为结构体实现 fmt::Display
比较棘手,因为结构体中的每个元素都必须按顺序处理。问题在于每个 write!
都会生成一个 fmt::Result
。要正确处理这种情况,需要处理*所有*的结果。Rust 提供了 ?
运算符来专门处理这种情况。
在 write!
上使用 ?
看起来像这样
// Try `write!` to see if it errors. If it errors, return
// the error. Otherwise continue.
write!(f, "{}", value)?;
有了 ?
,为 Vec
实现 fmt::Display
就变得很简单了
use std::fmt; // Import the `fmt` module. // Define a structure named `List` containing a `Vec`. struct List(Vec<i32>); impl fmt::Display for List { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { // Extract the value using tuple indexing, // and create a reference to `vec`. let vec = &self.0; write!(f, "[")?; // Iterate over `v` in `vec` while enumerating the iteration // count in `count`. for (count, v) in vec.iter().enumerate() { // For every element except the first, add a comma. // Use the ? operator to return on errors. if count != 0 { write!(f, ", ")?; } write!(f, "{}", v)?; } // Close the opened bracket and return a fmt::Result value. write!(f, "]") } } fn main() { let v = List(vec![1, 2, 3]); println!("{}", v); }
活动
尝试更改程序,以便同时打印向量中每个元素的索引。新的输出应该如下所示
[0: 1, 1: 2, 2: 3]