[rustlings]23_conversions

文章目录

      • from_into.rs
      • from_str.rs
      • as_ref_mut.rs
      • try_from_into.rs

from_into.rs

// The `From` trait is used for value-to-value conversions. If `From` is
// implemented, an implementation of `Into` is automatically provided.
// You can read more about it in the documentation:
// https://doc.rust-lang.org/std/convert/trait.From.html#[derive(Debug)]
struct Person {name: String,age: u8,
}// We implement the Default trait to use it as a fallback when the provided
// string is not convertible into a `Person` object.
impl Default for Person {fn default() -> Self {Self {name: String::from("John"),age: 30,}}
}// TODO: Complete this `From` implementation to be able to parse a `Person`
// out of a string in the form of "Mark,20".
// Note that you'll need to parse the age component into a `u8` with something
// like `"4".parse::<u8>()`.
//
// Steps:
// 1. Split the given string on the commas present in it.
// 2. If the split operation returns less or more than 2 elements, return the
//    default of `Person`.
// 3. Use the first element from the split operation as the name.
// 4. If the name is empty, return the default of `Person`.
// 5. Parse the second element from the split operation into a `u8` as the age.
// 6. If parsing the age fails, return the default of `Person`.
impl From<&str> for Person {fn from(s: &str) -> Self {let (name, age) = match s.split_once(',') {Some((name, age)) => (name.trim(), age.trim()),_ => return Person::default(),};if let Ok(age) = age.parse::<usize>() {if !name.is_empty() {return Person {name: String::from(name),age:age.try_into().unwrap(),};}}Person::default()}
}fn main() {// Use the `from` function.let p1 = Person::from("Mark,20");println!("{p1:?}");// Since `From` is implemented for Person, we are able to use `Into`.let p2: Person = "Gerald,70".into();println!("{p2:?}");
}#[cfg(test)]
mod tests {use super::*;#[test]fn test_default() {let dp = Person::default();assert_eq!(dp.name, "John");assert_eq!(dp.age, 30);}#[test]fn test_bad_convert() {let p = Person::from("");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_good_convert() {let p = Person::from("Mark,20");assert_eq!(p.name, "Mark");assert_eq!(p.age, 20);}#[test]fn test_bad_age() {let p = Person::from("Mark,twenty");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_missing_comma_and_age() {let p: Person = Person::from("Mark");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_missing_age() {let p: Person = Person::from("Mark,");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_missing_name() {let p: Person = Person::from(",1");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_missing_name_and_age() {let p: Person = Person::from(",");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_missing_name_and_invalid_age() {let p: Person = Person::from(",one");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_trailing_comma() {let p: Person = Person::from("Mike,32,");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}#[test]fn test_trailing_comma_and_some_string() {let p: Person = Person::from("Mike,32,dog");assert_eq!(p.name, "John");assert_eq!(p.age, 30);}
}

from_str.rs

// This is similar to the previous `from_into` exercise. But this time, we'll
// implement `FromStr` and return errors instead of falling back to a default
// value. Additionally, upon implementing `FromStr`, you can use the `parse`
// method on strings to generate an object of the implementor type. You can read
// more about it in the documentation:
// https://doc.rust-lang.org/std/str/trait.FromStr.htmluse std::num::ParseIntError;
use std::str::FromStr;#[derive(Debug, PartialEq)]
struct Person {name: String,age: u8,
}// We will use this error type for the `FromStr` implementation.
#[derive(Debug, PartialEq)]
enum ParsePersonError {// Incorrect number of fieldsBadLen,// Empty name fieldNoName,// Wrapped error from parse::<u8>()ParseInt(ParseIntError),
}// TODO: Complete this `From` implementation to be able to parse a `Person`
// out of a string in the form of "Mark,20".
// Note that you'll need to parse the age component into a `u8` with something
// like `"4".parse::<u8>()`.
//
// Steps:
// 1. Split the given string on the commas present in it.
// 2. If the split operation returns less or more than 2 elements, return the
//    error `ParsePersonError::BadLen`.
// 3. Use the first element from the split operation as the name.
// 4. If the name is empty, return the error `ParsePersonError::NoName`.
// 5. Parse the second element from the split operation into a `u8` as the age.
// 6. If parsing the age fails, return the error `ParsePersonError::ParseInt`.
impl FromStr for Person {type Err = ParsePersonError;fn from_str(s: &str) -> Result<Self, Self::Err> {if s.is_empty() {return Err(ParsePersonError::BadLen);}let splitted_item = s.split(',').collect::<Vec<&str>>();let (name, age) = match &splitted_item[..] {[name, age] => (name.to_string(),age.parse().map_err(ParsePersonError::ParseInt)?,),_ => return Err(ParsePersonError::BadLen),};if name.is_empty() {return Err(ParsePersonError::NoName);}Ok(Person {name,age,})}
}fn main() {let p = "Mark,20".parse::<Person>();println!("{p:?}");
}#[cfg(test)]
mod tests {use super::*;use ParsePersonError::*;#[test]fn empty_input() {assert_eq!("".parse::<Person>(), Err(BadLen));}#[test]fn good_input() {let p = "John,32".parse::<Person>();assert!(p.is_ok());let p = p.unwrap();assert_eq!(p.name, "John");assert_eq!(p.age, 32);}#[test]fn missing_age() {assert!(matches!("John,".parse::<Person>(), Err(ParseInt(_))));}#[test]fn invalid_age() {assert!(matches!("John,twenty".parse::<Person>(), Err(ParseInt(_))));}#[test]fn missing_comma_and_age() {assert_eq!("John".parse::<Person>(), Err(BadLen));}#[test]fn missing_name() {assert_eq!(",1".parse::<Person>(), Err(NoName));}#[test]fn missing_name_and_age() {assert!(matches!(",".parse::<Person>(), Err(NoName | ParseInt(_))));}#[test]fn missing_name_and_invalid_age() {assert!(matches!(",one".parse::<Person>(),Err(NoName | ParseInt(_)),));}#[test]fn trailing_comma() {assert_eq!("John,32,".parse::<Person>(), Err(BadLen));}#[test]fn trailing_comma_and_some_string() {assert_eq!("John,32,man".parse::<Person>(), Err(BadLen));}
}

as_ref_mut.rs

// AsRef and AsMut allow for cheap reference-to-reference conversions. Read more
// about them at https://doc.rust-lang.org/std/convert/trait.AsRef.html and
// https://doc.rust-lang.org/std/convert/trait.AsMut.html, respectively.// Obtain the number of bytes (not characters) in the given argument.
// TODO: Add the `AsRef` trait appropriately as a trait bound.
fn byte_counter<T: AsRef<str>>(arg: T) -> usize {arg.as_ref().as_bytes().len()
}// Obtain the number of characters (not bytes) in the given argument.
// TODO: Add the `AsRef` trait appropriately as a trait bound.
fn char_counter<T: AsRef<str>>(arg: T) -> usize {arg.as_ref().chars().count()
}// Squares a number using `as_mut()`.
// TODO: Add the appropriate trait bound.
fn num_sq<T: AsMut<u32>>(arg: &mut T) {// TODO: Implement the function body.*arg.as_mut() *= *arg.as_mut()
}fn main() {// You can optionally experiment here.
}#[cfg(test)]
mod tests {use super::*;#[test]fn different_counts() {let s = "Café au lait";assert_ne!(char_counter(s), byte_counter(s));}#[test]fn same_counts() {let s = "Cafe au lait";assert_eq!(char_counter(s), byte_counter(s));}#[test]fn different_counts_using_string() {let s = String::from("Café au lait");assert_ne!(char_counter(s.clone()), byte_counter(s));}#[test]fn same_counts_using_string() {let s = String::from("Cafe au lait");assert_eq!(char_counter(s.clone()), byte_counter(s));}#[test]fn mut_box() {let mut num: Box<u32> = Box::new(3);num_sq(&mut num);assert_eq!(*num, 9);}
}

try_from_into.rs

// `TryFrom` is a simple and safe type conversion that may fail in a controlled
// way under some circumstances. Basically, this is the same as `From`. The main
// difference is that this should return a `Result` type instead of the target
// type itself. You can read more about it in the documentation:
// https://doc.rust-lang.org/std/convert/trait.TryFrom.html#![allow(clippy::useless_vec)]
use std::convert::{TryFrom, TryInto};#[derive(Debug, PartialEq)]
struct Color {red: u8,green: u8,blue: u8,
}// We will use this error type for the `TryFrom` conversions.
#[derive(Debug, PartialEq)]
enum IntoColorError {// Incorrect length of sliceBadLen,// Integer conversion errorIntConversion,
}// TODO: Tuple implementation.
// Correct RGB color values must be integers in the 0..=255 range.
impl TryFrom<(i16, i16, i16)> for Color {type Error = IntoColorError;fn try_from(tuple: (i16, i16, i16)) -> Result<Self, Self::Error> {let (red, green, blue) = tuple;for color in [red, green, blue] {if !(0..=255).contains(&color) {return Err(IntoColorError::IntConversion);}}Ok(Self {red: tuple.0 as u8,green: tuple.1 as u8,blue: tuple.2 as u8,})}
}// TODO: Array implementation.
impl TryFrom<[i16; 3]> for Color {type Error = IntoColorError;fn try_from(arr: [i16; 3]) -> Result<Self, Self::Error> {for color in arr {if !(0..=255).contains(&color) {return Err(IntoColorError::IntConversion);}}Ok(Self {red: arr[0] as u8,green: arr[1] as u8,blue: arr[2] as u8,})}
}// TODO: Slice implementation.
// This implementation needs to check the slice length.
impl TryFrom<&[i16]> for Color {type Error = IntoColorError;fn try_from(slice: &[i16]) -> Result<Self, Self::Error> {if slice.len() != 3 {return Err(IntoColorError::BadLen);}for color in slice {if !(0..=255).contains(color) {return Err(IntoColorError::IntConversion);}}Ok(Self {red: slice[0] as u8,green: slice[1] as u8,blue: slice[2] as u8,})}
}fn main() {// Using the `try_from` function.let c1 = Color::try_from((183, 65, 14));println!("{c1:?}");// Since `TryFrom` is implemented for `Color`, we can use `TryInto`.let c2: Result<Color, _> = [183, 65, 14].try_into();println!("{c2:?}");let v = vec![183, 65, 14];// With slice we should use the `try_from` functionlet c3 = Color::try_from(&v[..]);println!("{c3:?}");// or put the slice within round brackets and use `try_into`.let c4: Result<Color, _> = (&v[..]).try_into();println!("{c4:?}");
}#[cfg(test)]
mod tests {use super::*;use IntoColorError::*;#[test]fn test_tuple_out_of_range_positive() {assert_eq!(Color::try_from((256, 1000, 10000)), Err(IntConversion));}#[test]fn test_tuple_out_of_range_negative() {assert_eq!(Color::try_from((-1, -10, -256)), Err(IntConversion));}#[test]fn test_tuple_sum() {assert_eq!(Color::try_from((-1, 255, 255)), Err(IntConversion));}#[test]fn test_tuple_correct() {let c: Result<Color, _> = (183, 65, 14).try_into();assert!(c.is_ok());assert_eq!(c.unwrap(),Color {red: 183,green: 65,blue: 14,});}#[test]fn test_array_out_of_range_positive() {let c: Result<Color, _> = [1000, 10000, 256].try_into();assert_eq!(c, Err(IntConversion));}#[test]fn test_array_out_of_range_negative() {let c: Result<Color, _> = [-10, -256, -1].try_into();assert_eq!(c, Err(IntConversion));}#[test]fn test_array_sum() {let c: Result<Color, _> = [-1, 255, 255].try_into();assert_eq!(c, Err(IntConversion));}#[test]fn test_array_correct() {let c: Result<Color, _> = [183, 65, 14].try_into();assert!(c.is_ok());assert_eq!(c.unwrap(),Color {red: 183,green: 65,blue: 14});}#[test]fn test_slice_out_of_range_positive() {let arr = [10000, 256, 1000];assert_eq!(Color::try_from(&arr[..]), Err(IntConversion));}#[test]fn test_slice_out_of_range_negative() {let arr = [-256, -1, -10];assert_eq!(Color::try_from(&arr[..]), Err(IntConversion));}#[test]fn test_slice_sum() {let arr = [-1, 255, 255];assert_eq!(Color::try_from(&arr[..]), Err(IntConversion));}#[test]fn test_slice_correct() {let v = vec![183, 65, 14];let c: Result<Color, _> = Color::try_from(&v[..]);assert!(c.is_ok());assert_eq!(c.unwrap(),Color {red: 183,green: 65,blue: 14,});}#[test]fn test_slice_excess_length() {let v = vec![0, 0, 0, 0];assert_eq!(Color::try_from(&v[..]), Err(BadLen));}#[test]fn test_slice_insufficient_length() {let v = vec![0, 0];assert_eq!(Color::try_from(&v[..]), Err(BadLen));}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/874758.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

谷粒商城实战笔记-50-51-商品分类的删除

文章目录 一&#xff0c;50-商品服务-API-三级分类-删除-逻辑删除1&#xff0c;逻辑删除的配置1.1 配置全局的逻辑删除规则&#xff08;可省略&#xff09;1.2 配置逻辑删除Bean&#xff08;可省略&#xff09;1.3 Bean相应字段上加上注解TableLogic 2&#xff0c;后台接口开发…

AI学习指南机器学习篇-t-SNE模型应用与Python实践

AI学习指南机器学习篇-t-SNE模型应用与Python实践 在机器学习领域&#xff0c;数据的可视化是非常重要的&#xff0c;因为它可以帮助我们更好地理解数据的结构和特征。而t-SNE&#xff08;t-distributed Stochastic Neighbor Embedding&#xff09;是一种非常强大的降维和可视…

星环科技推出知识库产品 AI PC时代数据交互方式变革

随着企业业务的快速发展&#xff0c;数据量呈爆炸式增长&#xff0c;有效的知识管理成为企业面临的重要问题。企业遇到的普遍问题是大量的结构化、半结构化数据存储在不同的系统中&#xff0c;需要用多种计算机语言进行检索。而大模型彻底改变了人们和数据的交互方式&#xff0…

深入解析:SPI与I2C通信协议的性能比较(内附资料)

在嵌入式系统中&#xff0c;SPI&#xff08;串行外设接口&#xff09;和I2C&#xff08;互连集成电路&#xff09;是两种广泛使用的通信协议。它们各自具有独特的性能特点和应用场景。本文将深入解析这两种通信协议&#xff0c;并在STM32微控制器上进行性能比较。 1. 引言 SP…

大数定理与中心极限定理

目录 两者的定义 大数定律 中心极限定理 关系与区别 切比雪夫大数定律、伯努利大数定律和辛钦大数定律的具体应用场景和条件是什么&#xff1f; 切比雪夫大数定律 伯努利大数定律 辛钦大数定律 应用场景&#xff1a; 条件&#xff1a; 中心极限定理在实际统计学研究…

分享:大数据信用报告查询平台哪个好?

大数据信用也就是我们常说的大数据&#xff0c;相信很多朋友对这个词都不陌生&#xff0c;特别是在银行申贷的时候&#xff0c;听过比较多&#xff0c;因为在银行做信用贷款的时候都会审查申贷人的大数据信用&#xff0c;贷前提前了解自己的大数据很有必要&#xff0c;那大数据…

【JS逆向课件:第十六课:Scrapy基础2】

ImagePipeLines的请求传参 环境安装&#xff1a;pip install Pillow USER_AGENT Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/98.0.4758.109 Safari/537.36需求&#xff1a;将图片的名称和详情页中图片的数据进行爬取&a…

基于Java+SpringMvc+Vue技术的慈善捐赠平台设计与实现(源码+LW+部署讲解)

项目含有源码、文档、PPT、配套开发软件、软件安装教程、项目发布教程、包运行成功以及课程答疑&#xff01; 软件开发环境及开发工具&#xff1a; 操作系统&#xff1a;Windows 10、Windows 7、Windows 8 开发语言&#xff1a;java 前端技术&#xff1a;JavaScript、VUE.j…

vue的this.$forceUpdate()和this.$set()

目录 this.$forceUpdate() 下面举个例子&#xff1a; 改变数组的7种方法&#xff1a; this.$set() 基本用法&#xff1a; 向对象添加属性 向数组添加属性 总的来说&#xff1a; this.$forceUpdate() 使用this.$forceUpdate()可以强制组件重新渲染。在Vue.js中&#xff0…

列举excel中调整行高列宽的五种方法

列举excel中调整行高列宽的五种方法 在Excel中调整行高列宽的方法有以下五种&#xff1a; 使用鼠标手动调整行高列宽&#xff1a;将鼠标悬停在行或列的边界上&#xff0c;光标会变成双向箭头&#xff0c;此时按住鼠标左键并拖动边界即可调整行高或列宽。 使用快捷键调整行高列…

工具(linux)

Yum 软件包管理器 介绍 yum Yum 是一个在 Red Hat 和 CentOS 等 Linux 发行版中常用的软件包管理器&#xff0c;它可以方便地进行软件包的安装、更新和删除。 安装软件包 使用 yum install 命令可以安装指定的软件包&#xff0c;例如&#xff1a; yum install package_nam…

DataLoader的使用 Pytorch

在 PyTorch 中&#xff0c;tensor.shape 返回一个包含张量各维度大小的元组。 所以&#xff0c;当你执行 print(img.shape)&#xff0c;你看到的 (3, 32, 32) 实际上是在告诉你&#xff1a; 这是一个三维张量第一维&#xff08;通道&#xff09;的大小是 3第二维&#xff08;…

“论软件测试中缺陷管理及其应用”写作框架,软考高级论文,系统架构设计师论文

原创范文 软件缺陷指的是计算机软件或程序中存在的某种破坏正常运行能力的问题、错误&#xff0c;或者隐藏的功能缺陷。缺陷的存在会导致软件产品在某种程度上不能满足用户的需要。在目前的软件开发过程中&#xff0c;缺陷是不可避免的。软件测试是发现缺陷的主要手段&#xf…

【北航主办丨本届SPIE独立出版丨已确认ISSN号】第三届智能机械与人机交互技术学术会议(IHCIT 2024,7月27)

由北京航空航天大学指导&#xff0c;北京航空航天大学自动化科学与电气工程学院主办&#xff0c;AEIC学术交流中心承办的第三届智能机械与人机交互技术学术会议&#xff08;IHCIT 2024&#xff09;将定于2024年7月27日于中国杭州召开。 大会面向基础与前沿、学科与产业&#xf…

路由表与IP数据报转发:基础小白指南

目录 1. 路由表的基本概念 2. 路由表中的默认路由 3. IP数据报的转发流程 4. 路由聚合 5. 最长前缀匹配 总结 在网络世界中&#xff0c;IP数据报的转发是如何进行的&#xff1f; 这篇文章将带你深入了解路由表的基本概念和IP数据报的转发流程。我们会用简洁明了的语言和实…

nodejs启动项目报错 Error: listen EACCES: permission denied 0.0.0.0:5000

nodejs启动项目报错 Error: listen EACCES: permission denied 0.0.0.0:5000&#xff0c;截图如下&#xff1a; 解决方法 在管理员权限下打开 CMD&#xff08;命令行&#xff09;并运行&#xff1a; net stop winnatnet start winnat 执行完成后在此通过nodejs启动项目即可…

centos系统mysql数据库差异备份与恢复

文章目录 差异备份mysql数据一、 安装 Percona XtraBackup数据库中创建一些数据三、创建全备份四、创建差异备份1. 在数据库中添加数据&#xff0c;让数据发生一些改变2. 创建第一个差异备份3. 数据库中再次添加一些数据4. 创建第二个差异备份 五、模拟数据丢失&#xff0c;删库…

【测开能力提升-Javascript】JavaScript介绍+数值类型

注释&#xff1a; 作为一名合格的测试&#xff0c;首先得会一些基础的后端语言&#xff0c;当然我选择了python&#xff0c;作为测试开发&#xff0c;对代码运行效率要求并不是很高&#xff0c;以及python强大的第三方库&#xff0c;如上一家公司&#xff0c;处理rtcm数据&…

minio 服务docker配置

用minio docker配置了一个服务&#xff0c;分享链接始终是127.0.01开始的&#xff0c; 改成docker的host的ip则提示签名不匹配&#xff0c; 好在这个文件主要是用来下载的&#xff0c;所以可以通过设置bucket的匿名访问权限来实现下载&#xff1b; 这样不需要后面的地址参数就…

UM960硬件设计,最小系统推荐设计

备注&#xff1a; l L1&#xff1a;推荐使用 0603 封装的 68 nH 射频电感l C1&#xff1a;推荐使用 100 nF 100 pF 两个电容并联l C2&#xff1a;推荐使用 100 pF 电容l C3&#xff1a;推荐使用 n 10 μF 1 100 nF 电容并联&#xff0c;总容值不小于 30 μFl R1&#xff1…