Paste crate允许在编译时连接标识符,这在编写宏以使用宏变量和静态文字创建任意标识符时非常有用。
在下面的例子中,定义了一个宏,这个宏为一个名为$name的类型创建了一个impl块,并为每个$字段创建了getter方法。
macro_rules! make_a_struct_and_getters {
($name:ident { $($field:ident),* }) => {
// ...
// Build an impl block with getters. This expands to:
// impl S {
// pub fn get_a(&self) -> &str { &self.a }
// pub fn get_b(&self) -> &str { &self.b }
// pub fn get_c(&self) -> &str { &self.c }
// }
paste! {
impl $name {
$(
pub fn [<get_ $field>](&self) -> &str {
&self.$field
}
)*
}
}
}
}
make_a_struct_and_getters!(S { a, b, c });
fn call_some_getters(s: &S) -> bool {
s.get_a() == s.get_b() && s.get_c().is_empty()
}
Either枚举有两个变体Left和Right,它具有多种方法和特性,便于使用该枚举进行工作。
use either::Either;
#[test]
fn test() {
let values = vec![
Either::Left(1),
Either::Right(true),
Either::Left(10),
Either::Right(false),
];
assert_eq!(
values
.into_iter()
.map(|int_or_bool| -> Either<i32, bool> {
let int = either::try_left!(int_or_bool);
Either::Left(int * 2)
})
.map(|int_or_bool| { either::for_both!(int_or_bool, s => s.to_string()) })
.collect::<Vec<_>>(),
["2", "true", "20", "false"]
);
}
数值特征和类型的集合。包括数字、大整数、复数等的泛型。
use anyhow::{anyhow, Result};
use num::*;
use std::fmt::Display;
fn bounds_to_string<N: Bounded + Display>(number: N) -> String {
format!(
"value {} min is {} max is {}",
number,
N::min_value(),
N::max_value()
)
}
#[test]
fn bounds() {
assert_eq!(bounds_to_string(12u8), "value 12 min is 0 max is 255");
assert_eq!(
bounds_to_string(33i16),
"value 33 min is -32768 max is 32767"
);
}
fn num_operations<N: Num>(a: &str, b: N) -> Result<N> {
let a = N::from_str_radix(a, 10).map_err(|_| anyhow!("could not conert value"))?;
let value = a + b - N::one();
Ok(if value.is_zero() {
value
} else {
value * (N::one() + N::one())
})
}
#[test]
fn test_num_operations() -> Result<()> {
assert_eq!(num_operations("2", 10i32)?, 22i32);
assert_eq!(num_operations("-5", 6i8)?, 0i8);
Ok(())
}
#[test]
fn greatest_common_divisor() -> Result<()> {
assert_eq!(num::integer::gcd(25u8, 15u8), 5);
assert_eq!(num::integer::gcd(1024i32, 65536i32), 1024);
Ok(())
}
Thiserror crate提供了一个宏用于在结构体和枚举上实现std::error::Error特性。
从错误处理的角度来看,有两种类型的crate:库和应用程序。
库是作为第三方依赖项创建的,将在应用程序中使用。对于库crate,重要的是调用代码可以检查库代码中发生了什么类型的错误,并针对不同类型的错误实现不同的行为。
对于应用程序来说,错误的具体类型通常并不重要,因此应用程序函数通常返回Result<T, anyway::Error>类型,因为anyway允许使用?操作符或From trait。
Thiserror crate主要用于在库crate中方便地实现错误。
使用的例子:
#[derive(thiserror::Error, Debug)]
pub enum SomeError {
#[error("io error")]
Io(#[from] std::io::Error),
#[error("int parsing error")]
ParseInt(#[from] std::num::ParseIntError),
#[error("unknown error")]
General(#[from] anyhow::Error),
}
/// library func
fn int_error(s: &str) -> Result<i32, SomeError> {
let num = i32::from_str_radix(s, 10)?;
Ok(num + 2)
}
#[test]
fn test() {
// application code
assert!(matches!(int_error("abc").unwrap_err(), SomeError::ParseInt(_)));
assert!(matches!(
std::io::Error::new(std::io::ErrorKind::Other, "oh no!").into(),
SomeError::Io(_)
));
}
在上面的例子中,std::num::ParseIntError错误被转换为SomeError::ParseInt。如果没有Thiserror这个库,我们将不得不手动编写所有这些转换。
Copyright© 2013-2020
All Rights Reserved 京ICP备2023019179号-8