字符串解析
收集 Unicode 字形
unicode-segmentation
箱子的UnicodeSegmentation::graphemes
函数,可用来,从 UTF-8 字符串中,收集单个 Unicode 字形。
#[macro_use] extern crate unicode_segmentation; use unicode_segmentation::UnicodeSegmentation; fn main() { let name = "José Guimarães\r\n"; let graphemes = UnicodeSegmentation::graphemes(name, true) .collect::<Vec<&str>>(); assert_eq!(graphemes[3], "é"); }
为一个自定义struct
,实现FromStr
trait
创建一个自定义结构RGB
,并实现FromStr
trait,能将提供的颜色 hex 代码,转换为 RGB 颜色代码。
use std::str::FromStr; #[derive(Debug, PartialEq)] struct RGB { r: u8, g: u8, b: u8, } impl FromStr for RGB { type Err = std::num::ParseIntError; // 解析一个颜色 hex 代码,如 '#rRgGbB..' ,将其变为一个'RGB' 实例。 fn from_str(hex_code: &str) -> Result<Self, Self::Err> { // u8::from_str_radix(src: &str, radix: u32) 将一个给予基础的字符串切片,转换到 u8。 let r: u8 = u8::from_str_radix(&hex_code[1..3], 16)?; let g: u8 = u8::from_str_radix(&hex_code[3..5], 16)?; let b: u8 = u8::from_str_radix(&hex_code[5..7], 16)?; Ok(RGB { r, g, b }) } } fn main() { let code: &str = &r"#fa7268"; match RGB::from_str(code) { Ok(rgb) => { println!( r"The RGB color code is: R: {} G: {} B: {}", rgb.r, rgb.g, rgb.b ); } Err(_) => { println!("{} is not a valid color hex code!", code); } } // 测试一下, from_str 的执行是否符合期盼。 assert_eq!( RGB::from_str(&r"#fa7268").unwrap(), RGB { r: 250, g: 114, b: 104 } ); }